From 594c19cffee6eb78cc6297dc239ffd0ca0528a12 Mon Sep 17 00:00:00 2001 From: Trivikram Kamat <16024985+trivikr@users.noreply.github.com> Date: Mon, 28 Apr 2025 12:42:31 -0700 Subject: [PATCH 01/12] chore(core): add Auth Scheme Preference config selector (#7037) --- ...ODE_AUTH_SCHEME_PREFERENCE_OPTIONS.spec.ts | 45 +++++++++++++++++++ .../NODE_AUTH_SCHEME_PREFERENCE_OPTIONS.ts | 36 +++++++++++++++ .../httpAuthSchemes/aws_sdk/index.ts | 1 + .../getArrayForCommaSeparatedString.spec.ts | 26 +++++++++++ .../utils/getArrayForCommaSeparatedString.ts | 9 ++++ 5 files changed, 117 insertions(+) create mode 100644 packages/core/src/submodules/httpAuthSchemes/aws_sdk/NODE_AUTH_SCHEME_PREFERENCE_OPTIONS.spec.ts create mode 100644 packages/core/src/submodules/httpAuthSchemes/aws_sdk/NODE_AUTH_SCHEME_PREFERENCE_OPTIONS.ts create mode 100644 packages/core/src/submodules/httpAuthSchemes/utils/getArrayForCommaSeparatedString.spec.ts create mode 100644 packages/core/src/submodules/httpAuthSchemes/utils/getArrayForCommaSeparatedString.ts diff --git a/packages/core/src/submodules/httpAuthSchemes/aws_sdk/NODE_AUTH_SCHEME_PREFERENCE_OPTIONS.spec.ts b/packages/core/src/submodules/httpAuthSchemes/aws_sdk/NODE_AUTH_SCHEME_PREFERENCE_OPTIONS.spec.ts new file mode 100644 index 000000000000..b11ff6f4d10e --- /dev/null +++ b/packages/core/src/submodules/httpAuthSchemes/aws_sdk/NODE_AUTH_SCHEME_PREFERENCE_OPTIONS.spec.ts @@ -0,0 +1,45 @@ +import { afterEach, describe, expect, test as it, vi } from "vitest"; + +import { getArrayForCommaSeparatedString } from "../utils/getArrayForCommaSeparatedString"; +import { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS } from "./NODE_AUTH_SCHEME_PREFERENCE_OPTIONS"; + +vi.mock("../utils/getArrayForCommaSeparatedString"); + +describe("NODE_AUTH_SCHEME_PREFERENCE_OPTIONS", () => { + const mockInput = "a,b,c"; + const mockOutput = ["a", "b", "c"]; + + vi.mocked(getArrayForCommaSeparatedString).mockReturnValue(mockOutput); + + afterEach(() => { + vi.clearAllMocks(); + }); + + const test = (func: Function, key: string) => { + it("returns undefined if no value is provided", () => { + expect(func({})).toEqual(undefined); + expect(getArrayForCommaSeparatedString).not.toBeCalled(); + }); + + it("returns list if value is defined", () => { + expect(func({ [key]: mockInput })).toEqual(mockOutput); + expect(getArrayForCommaSeparatedString).toHaveBeenCalledTimes(1); + expect(getArrayForCommaSeparatedString).toBeCalledWith(mockInput); + }); + }; + + describe("environmentVariableSelector", () => { + const { environmentVariableSelector } = NODE_AUTH_SCHEME_PREFERENCE_OPTIONS; + test(environmentVariableSelector, "AWS_AUTH_SCHEME_PREFERENCE"); + }); + + describe("configFileSelector", () => { + const { configFileSelector } = NODE_AUTH_SCHEME_PREFERENCE_OPTIONS; + test(configFileSelector, "auth_scheme_preference"); + }); + + it("returns false for default", () => { + const { default: defaultValue } = NODE_AUTH_SCHEME_PREFERENCE_OPTIONS; + expect(defaultValue).toEqual([]); + }); +}); diff --git a/packages/core/src/submodules/httpAuthSchemes/aws_sdk/NODE_AUTH_SCHEME_PREFERENCE_OPTIONS.ts b/packages/core/src/submodules/httpAuthSchemes/aws_sdk/NODE_AUTH_SCHEME_PREFERENCE_OPTIONS.ts new file mode 100644 index 000000000000..5417d122c725 --- /dev/null +++ b/packages/core/src/submodules/httpAuthSchemes/aws_sdk/NODE_AUTH_SCHEME_PREFERENCE_OPTIONS.ts @@ -0,0 +1,36 @@ +import { LoadedConfigSelectors } from "@smithy/node-config-provider"; + +import { getArrayForCommaSeparatedString } from "../utils/getArrayForCommaSeparatedString"; + +const NODE_AUTH_SCHEME_PREFERENCE_ENV_KEY = "AWS_AUTH_SCHEME_PREFERENCE"; +const NODE_AUTH_SCHEME_PREFERENCE_CONFIG_KEY = "auth_scheme_preference"; + +/** + * @public + */ +export const NODE_AUTH_SCHEME_PREFERENCE_OPTIONS: LoadedConfigSelectors = { + /** + * Retrieves auth scheme preference from environment variables + * @param env - Node process environment object + * @returns Array of auth scheme strings if preference is set, undefined otherwise + */ + environmentVariableSelector: (env: NodeJS.ProcessEnv) => { + if (!(NODE_AUTH_SCHEME_PREFERENCE_ENV_KEY in env)) return undefined; + return getArrayForCommaSeparatedString(env[NODE_AUTH_SCHEME_PREFERENCE_ENV_KEY] as string); + }, + + /** + * Retrieves auth scheme preference from config file + * @param profile - Config profile object + * @returns Array of auth scheme strings if preference is set, undefined otherwise + */ + configFileSelector: (profile) => { + if (!(NODE_AUTH_SCHEME_PREFERENCE_CONFIG_KEY in profile)) return undefined; + return getArrayForCommaSeparatedString(profile[NODE_AUTH_SCHEME_PREFERENCE_CONFIG_KEY] as string); + }, + + /** + * Default auth scheme preference if not specified in environment or config + */ + default: [], +}; diff --git a/packages/core/src/submodules/httpAuthSchemes/aws_sdk/index.ts b/packages/core/src/submodules/httpAuthSchemes/aws_sdk/index.ts index fad9615bebf4..40712255d072 100644 --- a/packages/core/src/submodules/httpAuthSchemes/aws_sdk/index.ts +++ b/packages/core/src/submodules/httpAuthSchemes/aws_sdk/index.ts @@ -1,4 +1,5 @@ export { AwsSdkSigV4Signer, AWSSDKSigV4Signer, validateSigningProperties } from "./AwsSdkSigV4Signer"; export { AwsSdkSigV4ASigner } from "./AwsSdkSigV4ASigner"; +export * from "./NODE_AUTH_SCHEME_PREFERENCE_OPTIONS"; export * from "./resolveAwsSdkSigV4AConfig"; export * from "./resolveAwsSdkSigV4Config"; diff --git a/packages/core/src/submodules/httpAuthSchemes/utils/getArrayForCommaSeparatedString.spec.ts b/packages/core/src/submodules/httpAuthSchemes/utils/getArrayForCommaSeparatedString.spec.ts new file mode 100644 index 000000000000..aebec4404e8b --- /dev/null +++ b/packages/core/src/submodules/httpAuthSchemes/utils/getArrayForCommaSeparatedString.spec.ts @@ -0,0 +1,26 @@ +import { describe, expect, it } from "vitest"; + +import { getArrayForCommaSeparatedString } from "./getArrayForCommaSeparatedString"; + +describe(getArrayForCommaSeparatedString.name, () => { + it("should return empty array for empty string", () => { + expect(getArrayForCommaSeparatedString("")).toEqual([]); + }); + + it("should return empty array for null/undefined input", () => { + expect(getArrayForCommaSeparatedString(null as unknown as string)).toEqual([]); + expect(getArrayForCommaSeparatedString(undefined as unknown as string)).toEqual([]); + }); + + it("should split comma separated string into array", () => { + expect(getArrayForCommaSeparatedString("a,b,c")).toEqual(["a", "b", "c"]); + }); + + it("should trim whitespace from array items", () => { + expect(getArrayForCommaSeparatedString(" a , b , c ")).toEqual(["a", "b", "c"]); + }); + + it("should handle single item", () => { + expect(getArrayForCommaSeparatedString("a")).toEqual(["a"]); + }); +}); diff --git a/packages/core/src/submodules/httpAuthSchemes/utils/getArrayForCommaSeparatedString.ts b/packages/core/src/submodules/httpAuthSchemes/utils/getArrayForCommaSeparatedString.ts new file mode 100644 index 000000000000..0be4aa11f341 --- /dev/null +++ b/packages/core/src/submodules/httpAuthSchemes/utils/getArrayForCommaSeparatedString.ts @@ -0,0 +1,9 @@ +/** + * Converts a comma-separated string into an array of trimmed strings + * @param str The comma-separated input string to split + * @returns Array of trimmed strings split from the input + * + * @internal + */ +export const getArrayForCommaSeparatedString = (str: string) => + typeof str === "string" && str.length > 0 ? str.split(",").map((item) => item.trim()) : []; From 093005b638433618975323858dcbcfd2d1be1b5b Mon Sep 17 00:00:00 2001 From: Trivikram Kamat <16024985+trivikr@users.noreply.github.com> Date: Tue, 29 Apr 2025 07:49:56 -0700 Subject: [PATCH 02/12] chore(clients): populate default values for auth scheme preference (#7038) --- clients/client-accessanalyzer/src/runtimeConfig.ts | 4 +++- clients/client-account/src/runtimeConfig.ts | 4 +++- clients/client-acm-pca/src/runtimeConfig.ts | 4 +++- clients/client-acm/src/runtimeConfig.ts | 4 +++- clients/client-amp/src/runtimeConfig.ts | 4 +++- clients/client-amplify/src/runtimeConfig.ts | 4 +++- clients/client-amplifybackend/src/runtimeConfig.ts | 4 +++- .../client-amplifyuibuilder/src/runtimeConfig.ts | 4 +++- clients/client-api-gateway/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-apigatewayv2/src/runtimeConfig.ts | 4 +++- clients/client-app-mesh/src/runtimeConfig.ts | 4 +++- clients/client-appconfig/src/runtimeConfig.ts | 4 +++- clients/client-appconfigdata/src/runtimeConfig.ts | 4 +++- clients/client-appfabric/src/runtimeConfig.ts | 4 +++- clients/client-appflow/src/runtimeConfig.ts | 4 +++- clients/client-appintegrations/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../client-application-signals/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-apprunner/src/runtimeConfig.ts | 4 +++- clients/client-appstream/src/runtimeConfig.ts | 4 +++- clients/client-appsync/src/runtimeConfig.ts | 4 +++- clients/client-apptest/src/runtimeConfig.ts | 4 +++- clients/client-arc-zonal-shift/src/runtimeConfig.ts | 4 +++- clients/client-artifact/src/runtimeConfig.ts | 4 +++- clients/client-athena/src/runtimeConfig.ts | 4 +++- clients/client-auditmanager/src/runtimeConfig.ts | 4 +++- .../client-auto-scaling-plans/src/runtimeConfig.ts | 4 +++- clients/client-auto-scaling/src/runtimeConfig.ts | 4 +++- clients/client-b2bi/src/runtimeConfig.ts | 4 +++- clients/client-backup-gateway/src/runtimeConfig.ts | 4 +++- clients/client-backup/src/runtimeConfig.ts | 4 +++- clients/client-backupsearch/src/runtimeConfig.ts | 4 +++- clients/client-batch/src/runtimeConfig.ts | 4 +++- .../client-bcm-data-exports/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-bedrock-agent/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-bedrock-runtime/src/runtimeConfig.ts | 4 +++- clients/client-bedrock/src/runtimeConfig.ts | 4 +++- clients/client-billing/src/runtimeConfig.ts | 4 +++- .../client-billingconductor/src/runtimeConfig.ts | 4 +++- clients/client-braket/src/runtimeConfig.ts | 4 +++- clients/client-budgets/src/runtimeConfig.ts | 4 +++- clients/client-chatbot/src/runtimeConfig.ts | 4 +++- .../client-chime-sdk-identity/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../client-chime-sdk-meetings/src/runtimeConfig.ts | 4 +++- .../client-chime-sdk-messaging/src/runtimeConfig.ts | 4 +++- clients/client-chime-sdk-voice/src/runtimeConfig.ts | 4 +++- clients/client-chime/src/runtimeConfig.ts | 4 +++- clients/client-cleanrooms/src/runtimeConfig.ts | 4 +++- clients/client-cleanroomsml/src/runtimeConfig.ts | 4 +++- clients/client-cloud9/src/runtimeConfig.ts | 4 +++- clients/client-cloudcontrol/src/runtimeConfig.ts | 4 +++- clients/client-clouddirectory/src/runtimeConfig.ts | 4 +++- clients/client-cloudformation/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 8 +++++++- clients/client-cloudfront/src/runtimeConfig.ts | 4 +++- clients/client-cloudhsm-v2/src/runtimeConfig.ts | 4 +++- clients/client-cloudhsm/src/runtimeConfig.ts | 4 +++- .../client-cloudsearch-domain/src/runtimeConfig.ts | 4 +++- clients/client-cloudsearch/src/runtimeConfig.ts | 4 +++- clients/client-cloudtrail-data/src/runtimeConfig.ts | 4 +++- clients/client-cloudtrail/src/runtimeConfig.ts | 4 +++- .../client-cloudwatch-events/src/runtimeConfig.ts | 4 +++- clients/client-cloudwatch-logs/src/runtimeConfig.ts | 4 +++- clients/client-cloudwatch/src/runtimeConfig.ts | 4 +++- clients/client-codeartifact/src/runtimeConfig.ts | 4 +++- clients/client-codebuild/src/runtimeConfig.ts | 4 +++- clients/client-codecatalyst/src/runtimeConfig.ts | 4 +++- clients/client-codecommit/src/runtimeConfig.ts | 4 +++- clients/client-codeconnections/src/runtimeConfig.ts | 4 +++- clients/client-codedeploy/src/runtimeConfig.ts | 4 +++- .../client-codeguru-reviewer/src/runtimeConfig.ts | 4 +++- .../client-codeguru-security/src/runtimeConfig.ts | 4 +++- .../client-codeguruprofiler/src/runtimeConfig.ts | 4 +++- clients/client-codepipeline/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../client-cognito-identity/src/runtimeConfig.ts | 4 +++- clients/client-cognito-sync/src/runtimeConfig.ts | 4 +++- clients/client-comprehend/src/runtimeConfig.ts | 4 +++- .../client-comprehendmedical/src/runtimeConfig.ts | 4 +++- .../client-compute-optimizer/src/runtimeConfig.ts | 4 +++- clients/client-config-service/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-connect/src/runtimeConfig.ts | 4 +++- .../client-connectcampaigns/src/runtimeConfig.ts | 4 +++- .../client-connectcampaignsv2/src/runtimeConfig.ts | 4 +++- clients/client-connectcases/src/runtimeConfig.ts | 4 +++- .../client-connectparticipant/src/runtimeConfig.ts | 4 +++- clients/client-controlcatalog/src/runtimeConfig.ts | 4 +++- clients/client-controltower/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-cost-explorer/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../client-customer-profiles/src/runtimeConfig.ts | 4 +++- clients/client-data-pipeline/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-databrew/src/runtimeConfig.ts | 4 +++- clients/client-dataexchange/src/runtimeConfig.ts | 4 +++- clients/client-datasync/src/runtimeConfig.ts | 4 +++- clients/client-datazone/src/runtimeConfig.ts | 4 +++- clients/client-dax/src/runtimeConfig.ts | 4 +++- clients/client-deadline/src/runtimeConfig.ts | 4 +++- clients/client-detective/src/runtimeConfig.ts | 4 +++- clients/client-device-farm/src/runtimeConfig.ts | 4 +++- clients/client-devops-guru/src/runtimeConfig.ts | 4 +++- clients/client-direct-connect/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../client-directory-service/src/runtimeConfig.ts | 4 +++- clients/client-dlm/src/runtimeConfig.ts | 4 +++- clients/client-docdb-elastic/src/runtimeConfig.ts | 4 +++- clients/client-docdb/src/runtimeConfig.ts | 4 +++- clients/client-drs/src/runtimeConfig.ts | 4 +++- clients/client-dsql/src/runtimeConfig.ts | 4 +++- .../client-dynamodb-streams/src/runtimeConfig.ts | 4 +++- clients/client-dynamodb/src/runtimeConfig.ts | 4 +++- clients/client-ebs/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-ec2/src/runtimeConfig.ts | 4 +++- clients/client-ecr-public/src/runtimeConfig.ts | 4 +++- clients/client-ecr/src/runtimeConfig.ts | 4 +++- clients/client-ecs/src/runtimeConfig.ts | 4 +++- clients/client-efs/src/runtimeConfig.ts | 4 +++- clients/client-eks-auth/src/runtimeConfig.ts | 4 +++- clients/client-eks/src/runtimeConfig.ts | 4 +++- .../client-elastic-beanstalk/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../client-elastic-transcoder/src/runtimeConfig.ts | 4 +++- clients/client-elasticache/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-emr-containers/src/runtimeConfig.ts | 4 +++- clients/client-emr-serverless/src/runtimeConfig.ts | 4 +++- clients/client-emr/src/runtimeConfig.ts | 4 +++- .../client-entityresolution/src/runtimeConfig.ts | 4 +++- clients/client-eventbridge/src/runtimeConfig.ts | 8 +++++++- clients/client-evidently/src/runtimeConfig.ts | 4 +++- clients/client-finspace-data/src/runtimeConfig.ts | 4 +++- clients/client-finspace/src/runtimeConfig.ts | 4 +++- clients/client-firehose/src/runtimeConfig.ts | 4 +++- clients/client-fis/src/runtimeConfig.ts | 4 +++- clients/client-fms/src/runtimeConfig.ts | 4 +++- clients/client-forecast/src/runtimeConfig.ts | 4 +++- clients/client-forecastquery/src/runtimeConfig.ts | 4 +++- clients/client-frauddetector/src/runtimeConfig.ts | 4 +++- clients/client-freetier/src/runtimeConfig.ts | 4 +++- clients/client-fsx/src/runtimeConfig.ts | 4 +++- clients/client-gamelift/src/runtimeConfig.ts | 4 +++- clients/client-gameliftstreams/src/runtimeConfig.ts | 4 +++- clients/client-geo-maps/src/runtimeConfig.ts | 4 +++- clients/client-geo-places/src/runtimeConfig.ts | 4 +++- clients/client-geo-routes/src/runtimeConfig.ts | 4 +++- clients/client-glacier/src/runtimeConfig.ts | 4 +++- .../client-global-accelerator/src/runtimeConfig.ts | 4 +++- clients/client-glue/src/runtimeConfig.ts | 4 +++- clients/client-grafana/src/runtimeConfig.ts | 4 +++- clients/client-greengrass/src/runtimeConfig.ts | 4 +++- clients/client-greengrassv2/src/runtimeConfig.ts | 4 +++- clients/client-groundstation/src/runtimeConfig.ts | 4 +++- clients/client-guardduty/src/runtimeConfig.ts | 4 +++- clients/client-health/src/runtimeConfig.ts | 4 +++- clients/client-healthlake/src/runtimeConfig.ts | 4 +++- clients/client-iam/src/runtimeConfig.ts | 4 +++- clients/client-identitystore/src/runtimeConfig.ts | 4 +++- clients/client-imagebuilder/src/runtimeConfig.ts | 4 +++- clients/client-inspector-scan/src/runtimeConfig.ts | 4 +++- clients/client-inspector/src/runtimeConfig.ts | 4 +++- clients/client-inspector2/src/runtimeConfig.ts | 4 +++- clients/client-internetmonitor/src/runtimeConfig.ts | 4 +++- clients/client-invoicing/src/runtimeConfig.ts | 4 +++- clients/client-iot-data-plane/src/runtimeConfig.ts | 4 +++- clients/client-iot-events-data/src/runtimeConfig.ts | 4 +++- clients/client-iot-events/src/runtimeConfig.ts | 4 +++- .../client-iot-jobs-data-plane/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-iot-wireless/src/runtimeConfig.ts | 4 +++- clients/client-iot/src/runtimeConfig.ts | 4 +++- clients/client-iotanalytics/src/runtimeConfig.ts | 4 +++- .../client-iotdeviceadvisor/src/runtimeConfig.ts | 4 +++- clients/client-iotfleethub/src/runtimeConfig.ts | 4 +++- clients/client-iotfleetwise/src/runtimeConfig.ts | 4 +++- .../client-iotsecuretunneling/src/runtimeConfig.ts | 4 +++- clients/client-iotsitewise/src/runtimeConfig.ts | 4 +++- clients/client-iotthingsgraph/src/runtimeConfig.ts | 4 +++- clients/client-iottwinmaker/src/runtimeConfig.ts | 4 +++- clients/client-ivs-realtime/src/runtimeConfig.ts | 4 +++- clients/client-ivs/src/runtimeConfig.ts | 4 +++- clients/client-ivschat/src/runtimeConfig.ts | 4 +++- clients/client-kafka/src/runtimeConfig.ts | 4 +++- clients/client-kafkaconnect/src/runtimeConfig.ts | 4 +++- clients/client-kendra-ranking/src/runtimeConfig.ts | 4 +++- clients/client-kendra/src/runtimeConfig.ts | 4 +++- clients/client-keyspaces/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../client-kinesis-analytics/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../client-kinesis-video-media/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-kinesis-video/src/runtimeConfig.ts | 4 +++- clients/client-kinesis/src/runtimeConfig.ts | 4 +++- clients/client-kms/src/runtimeConfig.ts | 4 +++- clients/client-lakeformation/src/runtimeConfig.ts | 4 +++- clients/client-lambda/src/runtimeConfig.ts | 4 +++- clients/client-launch-wizard/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-lex-models-v2/src/runtimeConfig.ts | 4 +++- .../client-lex-runtime-service/src/runtimeConfig.ts | 4 +++- clients/client-lex-runtime-v2/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-license-manager/src/runtimeConfig.ts | 4 +++- clients/client-lightsail/src/runtimeConfig.ts | 4 +++- clients/client-location/src/runtimeConfig.ts | 4 +++- .../client-lookoutequipment/src/runtimeConfig.ts | 4 +++- clients/client-lookoutmetrics/src/runtimeConfig.ts | 4 +++- clients/client-lookoutvision/src/runtimeConfig.ts | 4 +++- clients/client-m2/src/runtimeConfig.ts | 4 +++- .../client-machine-learning/src/runtimeConfig.ts | 4 +++- clients/client-macie2/src/runtimeConfig.ts | 4 +++- clients/client-mailmanager/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../client-managedblockchain/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../client-marketplace-catalog/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-mediaconnect/src/runtimeConfig.ts | 4 +++- clients/client-mediaconvert/src/runtimeConfig.ts | 4 +++- clients/client-medialive/src/runtimeConfig.ts | 4 +++- .../client-mediapackage-vod/src/runtimeConfig.ts | 4 +++- clients/client-mediapackage/src/runtimeConfig.ts | 4 +++- clients/client-mediapackagev2/src/runtimeConfig.ts | 4 +++- clients/client-mediastore-data/src/runtimeConfig.ts | 4 +++- clients/client-mediastore/src/runtimeConfig.ts | 4 +++- clients/client-mediatailor/src/runtimeConfig.ts | 4 +++- clients/client-medical-imaging/src/runtimeConfig.ts | 4 +++- clients/client-memorydb/src/runtimeConfig.ts | 4 +++- clients/client-mgn/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-migration-hub/src/runtimeConfig.ts | 4 +++- .../client-migrationhub-config/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-mq/src/runtimeConfig.ts | 4 +++- clients/client-mturk/src/runtimeConfig.ts | 4 +++- clients/client-mwaa/src/runtimeConfig.ts | 4 +++- clients/client-neptune-graph/src/runtimeConfig.ts | 4 +++- clients/client-neptune/src/runtimeConfig.ts | 4 +++- clients/client-neptunedata/src/runtimeConfig.ts | 4 +++- .../client-network-firewall/src/runtimeConfig.ts | 4 +++- .../client-networkflowmonitor/src/runtimeConfig.ts | 4 +++- clients/client-networkmanager/src/runtimeConfig.ts | 4 +++- clients/client-networkmonitor/src/runtimeConfig.ts | 4 +++- clients/client-notifications/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-oam/src/runtimeConfig.ts | 4 +++- .../client-observabilityadmin/src/runtimeConfig.ts | 4 +++- clients/client-omics/src/runtimeConfig.ts | 4 +++- clients/client-opensearch/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-opsworks/src/runtimeConfig.ts | 4 +++- clients/client-opsworkscm/src/runtimeConfig.ts | 4 +++- clients/client-organizations/src/runtimeConfig.ts | 4 +++- clients/client-osis/src/runtimeConfig.ts | 4 +++- clients/client-outposts/src/runtimeConfig.ts | 4 +++- clients/client-panorama/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../client-pca-connector-ad/src/runtimeConfig.ts | 4 +++- .../client-pca-connector-scep/src/runtimeConfig.ts | 4 +++- clients/client-pcs/src/runtimeConfig.ts | 4 +++- .../client-personalize-events/src/runtimeConfig.ts | 4 +++- .../client-personalize-runtime/src/runtimeConfig.ts | 4 +++- clients/client-personalize/src/runtimeConfig.ts | 4 +++- clients/client-pi/src/runtimeConfig.ts | 4 +++- clients/client-pinpoint-email/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../client-pinpoint-sms-voice/src/runtimeConfig.ts | 4 +++- clients/client-pinpoint/src/runtimeConfig.ts | 4 +++- clients/client-pipes/src/runtimeConfig.ts | 4 +++- clients/client-polly/src/runtimeConfig.ts | 4 +++- clients/client-pricing/src/runtimeConfig.ts | 4 +++- clients/client-privatenetworks/src/runtimeConfig.ts | 4 +++- clients/client-proton/src/runtimeConfig.ts | 4 +++- clients/client-qapps/src/runtimeConfig.ts | 4 +++- clients/client-qbusiness/src/runtimeConfig.ts | 4 +++- clients/client-qconnect/src/runtimeConfig.ts | 4 +++- clients/client-qldb-session/src/runtimeConfig.ts | 4 +++- clients/client-qldb/src/runtimeConfig.ts | 4 +++- clients/client-quicksight/src/runtimeConfig.ts | 4 +++- clients/client-ram/src/runtimeConfig.ts | 4 +++- clients/client-rbin/src/runtimeConfig.ts | 4 +++- clients/client-rds-data/src/runtimeConfig.ts | 4 +++- clients/client-rds/src/runtimeConfig.ts | 4 +++- clients/client-redshift-data/src/runtimeConfig.ts | 4 +++- .../client-redshift-serverless/src/runtimeConfig.ts | 4 +++- clients/client-redshift/src/runtimeConfig.ts | 4 +++- clients/client-rekognition/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-repostspace/src/runtimeConfig.ts | 4 +++- clients/client-resiliencehub/src/runtimeConfig.ts | 4 +++- .../client-resource-explorer-2/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-resource-groups/src/runtimeConfig.ts | 4 +++- clients/client-robomaker/src/runtimeConfig.ts | 4 +++- clients/client-rolesanywhere/src/runtimeConfig.ts | 4 +++- .../client-route-53-domains/src/runtimeConfig.ts | 4 +++- clients/client-route-53/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-route53profiles/src/runtimeConfig.ts | 4 +++- clients/client-route53resolver/src/runtimeConfig.ts | 4 +++- clients/client-rum/src/runtimeConfig.ts | 4 +++- clients/client-s3-control/src/runtimeConfig.ts | 4 +++- clients/client-s3/src/runtimeConfig.ts | 8 +++++++- clients/client-s3outposts/src/runtimeConfig.ts | 4 +++- clients/client-s3tables/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-sagemaker-edge/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../client-sagemaker-metrics/src/runtimeConfig.ts | 4 +++- .../client-sagemaker-runtime/src/runtimeConfig.ts | 4 +++- clients/client-sagemaker/src/runtimeConfig.ts | 4 +++- clients/client-savingsplans/src/runtimeConfig.ts | 4 +++- clients/client-scheduler/src/runtimeConfig.ts | 4 +++- clients/client-schemas/src/runtimeConfig.ts | 4 +++- clients/client-secrets-manager/src/runtimeConfig.ts | 4 +++- clients/client-security-ir/src/runtimeConfig.ts | 4 +++- clients/client-securityhub/src/runtimeConfig.ts | 4 +++- clients/client-securitylake/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-service-catalog/src/runtimeConfig.ts | 4 +++- clients/client-service-quotas/src/runtimeConfig.ts | 4 +++- .../client-servicediscovery/src/runtimeConfig.ts | 4 +++- clients/client-ses/src/runtimeConfig.ts | 4 +++- clients/client-sesv2/src/runtimeConfig.ts | 8 +++++++- clients/client-sfn/src/runtimeConfig.ts | 4 +++- clients/client-shield/src/runtimeConfig.ts | 4 +++- clients/client-signer/src/runtimeConfig.ts | 4 +++- clients/client-simspaceweaver/src/runtimeConfig.ts | 4 +++- clients/client-sms/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-snowball/src/runtimeConfig.ts | 4 +++- clients/client-sns/src/runtimeConfig.ts | 4 +++- clients/client-socialmessaging/src/runtimeConfig.ts | 4 +++- clients/client-sqs/src/runtimeConfig.ts | 4 +++- clients/client-ssm-contacts/src/runtimeConfig.ts | 4 +++- clients/client-ssm-incidents/src/runtimeConfig.ts | 4 +++- clients/client-ssm-quicksetup/src/runtimeConfig.ts | 4 +++- clients/client-ssm-sap/src/runtimeConfig.ts | 4 +++- clients/client-ssm/src/runtimeConfig.ts | 4 +++- clients/client-sso-admin/src/runtimeConfig.ts | 4 +++- clients/client-sso-oidc/src/runtimeConfig.ts | 4 +++- clients/client-sso/src/runtimeConfig.ts | 4 +++- clients/client-storage-gateway/src/runtimeConfig.ts | 4 +++- clients/client-sts/src/runtimeConfig.ts | 8 +++++++- clients/client-supplychain/src/runtimeConfig.ts | 4 +++- clients/client-support-app/src/runtimeConfig.ts | 4 +++- clients/client-support/src/runtimeConfig.ts | 4 +++- clients/client-swf/src/runtimeConfig.ts | 4 +++- clients/client-synthetics/src/runtimeConfig.ts | 4 +++- clients/client-taxsettings/src/runtimeConfig.ts | 4 +++- clients/client-textract/src/runtimeConfig.ts | 4 +++- .../client-timestream-influxdb/src/runtimeConfig.ts | 4 +++- .../client-timestream-query/src/runtimeConfig.ts | 4 +++- .../client-timestream-write/src/runtimeConfig.ts | 4 +++- clients/client-tnb/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-transcribe/src/runtimeConfig.ts | 4 +++- clients/client-transfer/src/runtimeConfig.ts | 4 +++- clients/client-translate/src/runtimeConfig.ts | 4 +++- clients/client-trustedadvisor/src/runtimeConfig.ts | 4 +++- .../client-verifiedpermissions/src/runtimeConfig.ts | 4 +++- clients/client-voice-id/src/runtimeConfig.ts | 4 +++- clients/client-vpc-lattice/src/runtimeConfig.ts | 4 +++- clients/client-waf-regional/src/runtimeConfig.ts | 4 +++- clients/client-waf/src/runtimeConfig.ts | 4 +++- clients/client-wafv2/src/runtimeConfig.ts | 4 +++- clients/client-wellarchitected/src/runtimeConfig.ts | 4 +++- clients/client-wisdom/src/runtimeConfig.ts | 4 +++- clients/client-workdocs/src/runtimeConfig.ts | 4 +++- clients/client-workmail/src/runtimeConfig.ts | 4 +++- .../client-workmailmessageflow/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- clients/client-workspaces-web/src/runtimeConfig.ts | 4 +++- clients/client-workspaces/src/runtimeConfig.ts | 4 +++- clients/client-xray/src/runtimeConfig.ts | 4 +++- .../aws/typescript/codegen/AddAwsRuntimeConfig.java | 13 ++++++++++++- .../src/submodules/sso-oidc/runtimeConfig.ts | 4 +++- .../src/submodules/sts/runtimeConfig.ts | 8 +++++++- private/aws-protocoltests-ec2/src/runtimeConfig.ts | 4 +++- .../aws-protocoltests-json-10/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- private/aws-protocoltests-json/src/runtimeConfig.ts | 4 +++- .../aws-protocoltests-query/src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../src/runtimeConfig.ts | 4 +++- .../aws-protocoltests-restjson/src/runtimeConfig.ts | 4 +++- .../aws-protocoltests-restxml/src/runtimeConfig.ts | 4 +++- private/weather/src/runtimeConfig.ts | 3 +++ 417 files changed, 1284 insertions(+), 416 deletions(-) diff --git a/clients/client-accessanalyzer/src/runtimeConfig.ts b/clients/client-accessanalyzer/src/runtimeConfig.ts index 4bf04437b4c2..e806cf5d60f7 100644 --- a/clients/client-accessanalyzer/src/runtimeConfig.ts +++ b/clients/client-accessanalyzer/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AccessAnalyzerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-account/src/runtimeConfig.ts b/clients/client-account/src/runtimeConfig.ts index 973462fa6cc3..5200ec8b712b 100644 --- a/clients/client-account/src/runtimeConfig.ts +++ b/clients/client-account/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AccountClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-acm-pca/src/runtimeConfig.ts b/clients/client-acm-pca/src/runtimeConfig.ts index 9a02ef767499..b02187fe4654 100644 --- a/clients/client-acm-pca/src/runtimeConfig.ts +++ b/clients/client-acm-pca/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ACMPCAClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-acm/src/runtimeConfig.ts b/clients/client-acm/src/runtimeConfig.ts index 2067b79d96cd..bbaf13c59ff7 100644 --- a/clients/client-acm/src/runtimeConfig.ts +++ b/clients/client-acm/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ACMClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-amp/src/runtimeConfig.ts b/clients/client-amp/src/runtimeConfig.ts index 835d0df025ff..0dcf3ab4ed97 100644 --- a/clients/client-amp/src/runtimeConfig.ts +++ b/clients/client-amp/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AmpClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-amplify/src/runtimeConfig.ts b/clients/client-amplify/src/runtimeConfig.ts index 40da41bf3ebb..e8a2a9d23c4f 100644 --- a/clients/client-amplify/src/runtimeConfig.ts +++ b/clients/client-amplify/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AmplifyClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-amplifybackend/src/runtimeConfig.ts b/clients/client-amplifybackend/src/runtimeConfig.ts index 687bd718da2e..7121519784cb 100644 --- a/clients/client-amplifybackend/src/runtimeConfig.ts +++ b/clients/client-amplifybackend/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AmplifyBackendClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-amplifyuibuilder/src/runtimeConfig.ts b/clients/client-amplifyuibuilder/src/runtimeConfig.ts index b0d3a1dd54ee..a52db95ae6ff 100644 --- a/clients/client-amplifyuibuilder/src/runtimeConfig.ts +++ b/clients/client-amplifyuibuilder/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AmplifyUIBuilderClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-api-gateway/src/runtimeConfig.ts b/clients/client-api-gateway/src/runtimeConfig.ts index 933c6cd88012..bb3188a7f0ea 100644 --- a/clients/client-api-gateway/src/runtimeConfig.ts +++ b/clients/client-api-gateway/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: APIGatewayClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-apigatewaymanagementapi/src/runtimeConfig.ts b/clients/client-apigatewaymanagementapi/src/runtimeConfig.ts index 17030b36b94a..4406db4e31ca 100644 --- a/clients/client-apigatewaymanagementapi/src/runtimeConfig.ts +++ b/clients/client-apigatewaymanagementapi/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ApiGatewayManagementApiClientConfig) => ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-apigatewayv2/src/runtimeConfig.ts b/clients/client-apigatewayv2/src/runtimeConfig.ts index ff3cc40b4886..6b7c52973d7a 100644 --- a/clients/client-apigatewayv2/src/runtimeConfig.ts +++ b/clients/client-apigatewayv2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ApiGatewayV2ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-app-mesh/src/runtimeConfig.ts b/clients/client-app-mesh/src/runtimeConfig.ts index e13ca3981cc7..f6ce4690e61b 100644 --- a/clients/client-app-mesh/src/runtimeConfig.ts +++ b/clients/client-app-mesh/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AppMeshClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-appconfig/src/runtimeConfig.ts b/clients/client-appconfig/src/runtimeConfig.ts index c1d4ed09ed25..6d37ea3badfe 100644 --- a/clients/client-appconfig/src/runtimeConfig.ts +++ b/clients/client-appconfig/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AppConfigClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-appconfigdata/src/runtimeConfig.ts b/clients/client-appconfigdata/src/runtimeConfig.ts index 54ecfdcb5b6d..07a2d91aacbf 100644 --- a/clients/client-appconfigdata/src/runtimeConfig.ts +++ b/clients/client-appconfigdata/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AppConfigDataClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-appfabric/src/runtimeConfig.ts b/clients/client-appfabric/src/runtimeConfig.ts index 20f101c858cc..f3db9f6ad38a 100644 --- a/clients/client-appfabric/src/runtimeConfig.ts +++ b/clients/client-appfabric/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AppFabricClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-appflow/src/runtimeConfig.ts b/clients/client-appflow/src/runtimeConfig.ts index 4144772de9c6..c4c62cca9fab 100644 --- a/clients/client-appflow/src/runtimeConfig.ts +++ b/clients/client-appflow/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AppflowClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-appintegrations/src/runtimeConfig.ts b/clients/client-appintegrations/src/runtimeConfig.ts index 09810ac03385..c69c696273c0 100644 --- a/clients/client-appintegrations/src/runtimeConfig.ts +++ b/clients/client-appintegrations/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AppIntegrationsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-application-auto-scaling/src/runtimeConfig.ts b/clients/client-application-auto-scaling/src/runtimeConfig.ts index efd14aa5afde..4297cdc3af23 100644 --- a/clients/client-application-auto-scaling/src/runtimeConfig.ts +++ b/clients/client-application-auto-scaling/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ApplicationAutoScalingClientConfig) => ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-application-discovery-service/src/runtimeConfig.ts b/clients/client-application-discovery-service/src/runtimeConfig.ts index f7046d1ff88e..d37ab7650682 100644 --- a/clients/client-application-discovery-service/src/runtimeConfig.ts +++ b/clients/client-application-discovery-service/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ApplicationDiscoveryServiceClientConfig ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-application-insights/src/runtimeConfig.ts b/clients/client-application-insights/src/runtimeConfig.ts index fdc408d8b0a7..5219b0736fb4 100644 --- a/clients/client-application-insights/src/runtimeConfig.ts +++ b/clients/client-application-insights/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ApplicationInsightsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-application-signals/src/runtimeConfig.ts b/clients/client-application-signals/src/runtimeConfig.ts index b6896618fc73..6e37f440088a 100644 --- a/clients/client-application-signals/src/runtimeConfig.ts +++ b/clients/client-application-signals/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ApplicationSignalsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-applicationcostprofiler/src/runtimeConfig.ts b/clients/client-applicationcostprofiler/src/runtimeConfig.ts index 7a006ac7826f..778da164c3c0 100644 --- a/clients/client-applicationcostprofiler/src/runtimeConfig.ts +++ b/clients/client-applicationcostprofiler/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ApplicationCostProfilerClientConfig) => ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-apprunner/src/runtimeConfig.ts b/clients/client-apprunner/src/runtimeConfig.ts index 341b857705c7..7c79684dac78 100644 --- a/clients/client-apprunner/src/runtimeConfig.ts +++ b/clients/client-apprunner/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AppRunnerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-appstream/src/runtimeConfig.ts b/clients/client-appstream/src/runtimeConfig.ts index 3be6ed51f522..049c10a83d9e 100644 --- a/clients/client-appstream/src/runtimeConfig.ts +++ b/clients/client-appstream/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AppStreamClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-appsync/src/runtimeConfig.ts b/clients/client-appsync/src/runtimeConfig.ts index 2f387838a57d..272b1823de54 100644 --- a/clients/client-appsync/src/runtimeConfig.ts +++ b/clients/client-appsync/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AppSyncClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-apptest/src/runtimeConfig.ts b/clients/client-apptest/src/runtimeConfig.ts index fe6dda2340f3..162edd046212 100644 --- a/clients/client-apptest/src/runtimeConfig.ts +++ b/clients/client-apptest/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AppTestClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-arc-zonal-shift/src/runtimeConfig.ts b/clients/client-arc-zonal-shift/src/runtimeConfig.ts index 5267f319c431..ca301824d5fc 100644 --- a/clients/client-arc-zonal-shift/src/runtimeConfig.ts +++ b/clients/client-arc-zonal-shift/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ARCZonalShiftClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-artifact/src/runtimeConfig.ts b/clients/client-artifact/src/runtimeConfig.ts index ab6780842617..b1c1de3b692c 100644 --- a/clients/client-artifact/src/runtimeConfig.ts +++ b/clients/client-artifact/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ArtifactClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-athena/src/runtimeConfig.ts b/clients/client-athena/src/runtimeConfig.ts index 2b6bb75a1f56..2c789c39b1bb 100644 --- a/clients/client-athena/src/runtimeConfig.ts +++ b/clients/client-athena/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AthenaClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-auditmanager/src/runtimeConfig.ts b/clients/client-auditmanager/src/runtimeConfig.ts index c03aaae0a64a..87d8a6d861c4 100644 --- a/clients/client-auditmanager/src/runtimeConfig.ts +++ b/clients/client-auditmanager/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AuditManagerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-auto-scaling-plans/src/runtimeConfig.ts b/clients/client-auto-scaling-plans/src/runtimeConfig.ts index 8ee9e0fac0ed..d24c7843048a 100644 --- a/clients/client-auto-scaling-plans/src/runtimeConfig.ts +++ b/clients/client-auto-scaling-plans/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AutoScalingPlansClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-auto-scaling/src/runtimeConfig.ts b/clients/client-auto-scaling/src/runtimeConfig.ts index 4f74a6167e39..663b2fff1f07 100644 --- a/clients/client-auto-scaling/src/runtimeConfig.ts +++ b/clients/client-auto-scaling/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: AutoScalingClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-b2bi/src/runtimeConfig.ts b/clients/client-b2bi/src/runtimeConfig.ts index da690084bcec..28c03113be3e 100644 --- a/clients/client-b2bi/src/runtimeConfig.ts +++ b/clients/client-b2bi/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: B2biClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-backup-gateway/src/runtimeConfig.ts b/clients/client-backup-gateway/src/runtimeConfig.ts index c1669f46b7a6..d0c4eca38fd0 100644 --- a/clients/client-backup-gateway/src/runtimeConfig.ts +++ b/clients/client-backup-gateway/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: BackupGatewayClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-backup/src/runtimeConfig.ts b/clients/client-backup/src/runtimeConfig.ts index ea1d08d9d080..da1ac270856c 100644 --- a/clients/client-backup/src/runtimeConfig.ts +++ b/clients/client-backup/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: BackupClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-backupsearch/src/runtimeConfig.ts b/clients/client-backupsearch/src/runtimeConfig.ts index 003ef3287024..beb0afb71d24 100644 --- a/clients/client-backupsearch/src/runtimeConfig.ts +++ b/clients/client-backupsearch/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: BackupSearchClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-batch/src/runtimeConfig.ts b/clients/client-batch/src/runtimeConfig.ts index d08c51f85a2e..c5256137c044 100644 --- a/clients/client-batch/src/runtimeConfig.ts +++ b/clients/client-batch/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: BatchClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-bcm-data-exports/src/runtimeConfig.ts b/clients/client-bcm-data-exports/src/runtimeConfig.ts index b73528849aa7..d2aa351391af 100644 --- a/clients/client-bcm-data-exports/src/runtimeConfig.ts +++ b/clients/client-bcm-data-exports/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: BCMDataExportsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-bcm-pricing-calculator/src/runtimeConfig.ts b/clients/client-bcm-pricing-calculator/src/runtimeConfig.ts index 1f39d2ec53cf..8689bf114ab1 100644 --- a/clients/client-bcm-pricing-calculator/src/runtimeConfig.ts +++ b/clients/client-bcm-pricing-calculator/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: BCMPricingCalculatorClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-bedrock-agent-runtime/src/runtimeConfig.ts b/clients/client-bedrock-agent-runtime/src/runtimeConfig.ts index c5ec03eead13..c8f499846dc5 100644 --- a/clients/client-bedrock-agent-runtime/src/runtimeConfig.ts +++ b/clients/client-bedrock-agent-runtime/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -39,6 +39,8 @@ export const getRuntimeConfig = (config: BedrockAgentRuntimeClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-bedrock-agent/src/runtimeConfig.ts b/clients/client-bedrock-agent/src/runtimeConfig.ts index 1404d8c572c8..ac1dbd8eca96 100644 --- a/clients/client-bedrock-agent/src/runtimeConfig.ts +++ b/clients/client-bedrock-agent/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: BedrockAgentClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-bedrock-data-automation-runtime/src/runtimeConfig.ts b/clients/client-bedrock-data-automation-runtime/src/runtimeConfig.ts index 5177a8c253ef..cdcaeb4d8fbc 100644 --- a/clients/client-bedrock-data-automation-runtime/src/runtimeConfig.ts +++ b/clients/client-bedrock-data-automation-runtime/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: BedrockDataAutomationRuntimeClientConfi ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-bedrock-data-automation/src/runtimeConfig.ts b/clients/client-bedrock-data-automation/src/runtimeConfig.ts index fbc4d6ca3e97..8fbde5250703 100644 --- a/clients/client-bedrock-data-automation/src/runtimeConfig.ts +++ b/clients/client-bedrock-data-automation/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: BedrockDataAutomationClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-bedrock-runtime/src/runtimeConfig.ts b/clients/client-bedrock-runtime/src/runtimeConfig.ts index 9c94b3fa0013..e15cb255f11b 100644 --- a/clients/client-bedrock-runtime/src/runtimeConfig.ts +++ b/clients/client-bedrock-runtime/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { eventStreamPayloadHandlerProvider } from "@aws-sdk/eventstream-handler-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; @@ -40,6 +40,8 @@ export const getRuntimeConfig = (config: BedrockRuntimeClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-bedrock/src/runtimeConfig.ts b/clients/client-bedrock/src/runtimeConfig.ts index d13508174384..28f210b09be8 100644 --- a/clients/client-bedrock/src/runtimeConfig.ts +++ b/clients/client-bedrock/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: BedrockClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-billing/src/runtimeConfig.ts b/clients/client-billing/src/runtimeConfig.ts index 4453ecf325b3..06fa0ee0397e 100644 --- a/clients/client-billing/src/runtimeConfig.ts +++ b/clients/client-billing/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: BillingClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-billingconductor/src/runtimeConfig.ts b/clients/client-billingconductor/src/runtimeConfig.ts index 3f7aa15aa4f3..7421900f15e0 100644 --- a/clients/client-billingconductor/src/runtimeConfig.ts +++ b/clients/client-billingconductor/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: BillingconductorClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-braket/src/runtimeConfig.ts b/clients/client-braket/src/runtimeConfig.ts index 05fca81076dc..abb7df141c46 100644 --- a/clients/client-braket/src/runtimeConfig.ts +++ b/clients/client-braket/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: BraketClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-budgets/src/runtimeConfig.ts b/clients/client-budgets/src/runtimeConfig.ts index 764357de5ebf..0b1af9efb5bd 100644 --- a/clients/client-budgets/src/runtimeConfig.ts +++ b/clients/client-budgets/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: BudgetsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-chatbot/src/runtimeConfig.ts b/clients/client-chatbot/src/runtimeConfig.ts index 902365d87fd2..bf81e24fe350 100644 --- a/clients/client-chatbot/src/runtimeConfig.ts +++ b/clients/client-chatbot/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ChatbotClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-chime-sdk-identity/src/runtimeConfig.ts b/clients/client-chime-sdk-identity/src/runtimeConfig.ts index 0b8645e8b238..4444f56c49e9 100644 --- a/clients/client-chime-sdk-identity/src/runtimeConfig.ts +++ b/clients/client-chime-sdk-identity/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ChimeSDKIdentityClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-chime-sdk-media-pipelines/src/runtimeConfig.ts b/clients/client-chime-sdk-media-pipelines/src/runtimeConfig.ts index ee7a80964f61..ef7411d6927a 100644 --- a/clients/client-chime-sdk-media-pipelines/src/runtimeConfig.ts +++ b/clients/client-chime-sdk-media-pipelines/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ChimeSDKMediaPipelinesClientConfig) => ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-chime-sdk-meetings/src/runtimeConfig.ts b/clients/client-chime-sdk-meetings/src/runtimeConfig.ts index f7b17c4e5663..e7e26779593d 100644 --- a/clients/client-chime-sdk-meetings/src/runtimeConfig.ts +++ b/clients/client-chime-sdk-meetings/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ChimeSDKMeetingsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-chime-sdk-messaging/src/runtimeConfig.ts b/clients/client-chime-sdk-messaging/src/runtimeConfig.ts index 7a3195b2cac6..472f4178f7a9 100644 --- a/clients/client-chime-sdk-messaging/src/runtimeConfig.ts +++ b/clients/client-chime-sdk-messaging/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ChimeSDKMessagingClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-chime-sdk-voice/src/runtimeConfig.ts b/clients/client-chime-sdk-voice/src/runtimeConfig.ts index 9dd6145aa062..b5163028caf9 100644 --- a/clients/client-chime-sdk-voice/src/runtimeConfig.ts +++ b/clients/client-chime-sdk-voice/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ChimeSDKVoiceClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-chime/src/runtimeConfig.ts b/clients/client-chime/src/runtimeConfig.ts index f4583b449ccd..ea79c22b6578 100644 --- a/clients/client-chime/src/runtimeConfig.ts +++ b/clients/client-chime/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ChimeClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cleanrooms/src/runtimeConfig.ts b/clients/client-cleanrooms/src/runtimeConfig.ts index ace53a882482..17620e643187 100644 --- a/clients/client-cleanrooms/src/runtimeConfig.ts +++ b/clients/client-cleanrooms/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CleanRoomsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cleanroomsml/src/runtimeConfig.ts b/clients/client-cleanroomsml/src/runtimeConfig.ts index f30f7cb1b1a8..03aa14706eea 100644 --- a/clients/client-cleanroomsml/src/runtimeConfig.ts +++ b/clients/client-cleanroomsml/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CleanRoomsMLClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cloud9/src/runtimeConfig.ts b/clients/client-cloud9/src/runtimeConfig.ts index 64dfdb0a21ca..9eaa04036819 100644 --- a/clients/client-cloud9/src/runtimeConfig.ts +++ b/clients/client-cloud9/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: Cloud9ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cloudcontrol/src/runtimeConfig.ts b/clients/client-cloudcontrol/src/runtimeConfig.ts index e41898f1d584..434362ffeb5b 100644 --- a/clients/client-cloudcontrol/src/runtimeConfig.ts +++ b/clients/client-cloudcontrol/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CloudControlClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-clouddirectory/src/runtimeConfig.ts b/clients/client-clouddirectory/src/runtimeConfig.ts index 31097306d213..33c3b2eddd15 100644 --- a/clients/client-clouddirectory/src/runtimeConfig.ts +++ b/clients/client-clouddirectory/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CloudDirectoryClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cloudformation/src/runtimeConfig.ts b/clients/client-cloudformation/src/runtimeConfig.ts index bcf6cc424288..d45aa0ec1155 100644 --- a/clients/client-cloudformation/src/runtimeConfig.ts +++ b/clients/client-cloudformation/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CloudFormationClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cloudfront-keyvaluestore/src/runtimeConfig.ts b/clients/client-cloudfront-keyvaluestore/src/runtimeConfig.ts index 1b8dc2819107..3e8445b3437c 100644 --- a/clients/client-cloudfront-keyvaluestore/src/runtimeConfig.ts +++ b/clients/client-cloudfront-keyvaluestore/src/runtimeConfig.ts @@ -2,7 +2,11 @@ // @ts-ignore: package.json will be imported from dist folders import packageInfo from "../package.json"; // eslint-disable-line -import { NODE_SIGV4A_CONFIG_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; +import { + NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, + NODE_SIGV4A_CONFIG_OPTIONS, + emitWarningIfUnsupportedVersion as awsCheckVersion, +} from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +42,8 @@ export const getRuntimeConfig = (config: CloudFrontKeyValueStoreClientConfig) => ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cloudfront/src/runtimeConfig.ts b/clients/client-cloudfront/src/runtimeConfig.ts index 953c9513261d..168cda7d26e2 100644 --- a/clients/client-cloudfront/src/runtimeConfig.ts +++ b/clients/client-cloudfront/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CloudFrontClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cloudhsm-v2/src/runtimeConfig.ts b/clients/client-cloudhsm-v2/src/runtimeConfig.ts index 1dbda7e7ef74..bbe592ee9114 100644 --- a/clients/client-cloudhsm-v2/src/runtimeConfig.ts +++ b/clients/client-cloudhsm-v2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CloudHSMV2ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cloudhsm/src/runtimeConfig.ts b/clients/client-cloudhsm/src/runtimeConfig.ts index 9033772a9650..50d945f65a29 100644 --- a/clients/client-cloudhsm/src/runtimeConfig.ts +++ b/clients/client-cloudhsm/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CloudHSMClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cloudsearch-domain/src/runtimeConfig.ts b/clients/client-cloudsearch-domain/src/runtimeConfig.ts index a67ea3a66565..bfc6c3392d66 100644 --- a/clients/client-cloudsearch-domain/src/runtimeConfig.ts +++ b/clients/client-cloudsearch-domain/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CloudSearchDomainClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cloudsearch/src/runtimeConfig.ts b/clients/client-cloudsearch/src/runtimeConfig.ts index e6d0a8c61d28..a8af712ca257 100644 --- a/clients/client-cloudsearch/src/runtimeConfig.ts +++ b/clients/client-cloudsearch/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CloudSearchClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cloudtrail-data/src/runtimeConfig.ts b/clients/client-cloudtrail-data/src/runtimeConfig.ts index 6223a0cc22fc..58693967402b 100644 --- a/clients/client-cloudtrail-data/src/runtimeConfig.ts +++ b/clients/client-cloudtrail-data/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CloudTrailDataClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cloudtrail/src/runtimeConfig.ts b/clients/client-cloudtrail/src/runtimeConfig.ts index 32f04dd83668..6dbad5497b90 100644 --- a/clients/client-cloudtrail/src/runtimeConfig.ts +++ b/clients/client-cloudtrail/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CloudTrailClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cloudwatch-events/src/runtimeConfig.ts b/clients/client-cloudwatch-events/src/runtimeConfig.ts index 65938cda31b2..cdfce299bfbb 100644 --- a/clients/client-cloudwatch-events/src/runtimeConfig.ts +++ b/clients/client-cloudwatch-events/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CloudWatchEventsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cloudwatch-logs/src/runtimeConfig.ts b/clients/client-cloudwatch-logs/src/runtimeConfig.ts index 3ae8b87283c4..efecd75ca55d 100644 --- a/clients/client-cloudwatch-logs/src/runtimeConfig.ts +++ b/clients/client-cloudwatch-logs/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -39,6 +39,8 @@ export const getRuntimeConfig = (config: CloudWatchLogsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cloudwatch/src/runtimeConfig.ts b/clients/client-cloudwatch/src/runtimeConfig.ts index 6e3d71b6701d..a172e1ccd491 100644 --- a/clients/client-cloudwatch/src/runtimeConfig.ts +++ b/clients/client-cloudwatch/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -42,6 +42,8 @@ export const getRuntimeConfig = (config: CloudWatchClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-codeartifact/src/runtimeConfig.ts b/clients/client-codeartifact/src/runtimeConfig.ts index 8d2bfd04f504..4f2a77041d34 100644 --- a/clients/client-codeartifact/src/runtimeConfig.ts +++ b/clients/client-codeartifact/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CodeartifactClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-codebuild/src/runtimeConfig.ts b/clients/client-codebuild/src/runtimeConfig.ts index f30feed115ba..231a41bf5eff 100644 --- a/clients/client-codebuild/src/runtimeConfig.ts +++ b/clients/client-codebuild/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CodeBuildClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-codecatalyst/src/runtimeConfig.ts b/clients/client-codecatalyst/src/runtimeConfig.ts index 765f28a8e2d1..cb34a0fcc5cf 100644 --- a/clients/client-codecatalyst/src/runtimeConfig.ts +++ b/clients/client-codecatalyst/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { FromSsoInit, nodeProvider } from "@aws-sdk/token-providers"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -40,6 +40,8 @@ export const getRuntimeConfig = (config: CodeCatalystClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, defaultUserAgentProvider: config?.defaultUserAgentProvider ?? diff --git a/clients/client-codecommit/src/runtimeConfig.ts b/clients/client-codecommit/src/runtimeConfig.ts index a49453d4c923..871b3a0d3840 100644 --- a/clients/client-codecommit/src/runtimeConfig.ts +++ b/clients/client-codecommit/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CodeCommitClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-codeconnections/src/runtimeConfig.ts b/clients/client-codeconnections/src/runtimeConfig.ts index c9b63670c28e..183cd8e2dc33 100644 --- a/clients/client-codeconnections/src/runtimeConfig.ts +++ b/clients/client-codeconnections/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CodeConnectionsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-codedeploy/src/runtimeConfig.ts b/clients/client-codedeploy/src/runtimeConfig.ts index 9736f98f8f22..d01db27628ca 100644 --- a/clients/client-codedeploy/src/runtimeConfig.ts +++ b/clients/client-codedeploy/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CodeDeployClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-codeguru-reviewer/src/runtimeConfig.ts b/clients/client-codeguru-reviewer/src/runtimeConfig.ts index 6d256dfcd60e..0bd0c3ab9a95 100644 --- a/clients/client-codeguru-reviewer/src/runtimeConfig.ts +++ b/clients/client-codeguru-reviewer/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CodeGuruReviewerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-codeguru-security/src/runtimeConfig.ts b/clients/client-codeguru-security/src/runtimeConfig.ts index 41d6712a8429..8efc3d567ba1 100644 --- a/clients/client-codeguru-security/src/runtimeConfig.ts +++ b/clients/client-codeguru-security/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CodeGuruSecurityClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-codeguruprofiler/src/runtimeConfig.ts b/clients/client-codeguruprofiler/src/runtimeConfig.ts index a0c256158bf1..f79ec403eff5 100644 --- a/clients/client-codeguruprofiler/src/runtimeConfig.ts +++ b/clients/client-codeguruprofiler/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CodeGuruProfilerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-codepipeline/src/runtimeConfig.ts b/clients/client-codepipeline/src/runtimeConfig.ts index f16ea9db1615..bab07f5421e3 100644 --- a/clients/client-codepipeline/src/runtimeConfig.ts +++ b/clients/client-codepipeline/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CodePipelineClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-codestar-connections/src/runtimeConfig.ts b/clients/client-codestar-connections/src/runtimeConfig.ts index 015c01555045..91045429320c 100644 --- a/clients/client-codestar-connections/src/runtimeConfig.ts +++ b/clients/client-codestar-connections/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CodeStarConnectionsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-codestar-notifications/src/runtimeConfig.ts b/clients/client-codestar-notifications/src/runtimeConfig.ts index 7eeca82787e0..ac199c3b780f 100644 --- a/clients/client-codestar-notifications/src/runtimeConfig.ts +++ b/clients/client-codestar-notifications/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CodestarNotificationsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cognito-identity-provider/src/runtimeConfig.ts b/clients/client-cognito-identity-provider/src/runtimeConfig.ts index eaca4b931f16..321e98f472a6 100644 --- a/clients/client-cognito-identity-provider/src/runtimeConfig.ts +++ b/clients/client-cognito-identity-provider/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CognitoIdentityProviderClientConfig) => ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cognito-identity/src/runtimeConfig.ts b/clients/client-cognito-identity/src/runtimeConfig.ts index eb69c09be7da..d9fafbfbb959 100644 --- a/clients/client-cognito-identity/src/runtimeConfig.ts +++ b/clients/client-cognito-identity/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CognitoIdentityClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cognito-sync/src/runtimeConfig.ts b/clients/client-cognito-sync/src/runtimeConfig.ts index 23ea071848fc..89810e20ea6f 100644 --- a/clients/client-cognito-sync/src/runtimeConfig.ts +++ b/clients/client-cognito-sync/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CognitoSyncClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-comprehend/src/runtimeConfig.ts b/clients/client-comprehend/src/runtimeConfig.ts index f1c728e3ec15..270c3ae3bf5d 100644 --- a/clients/client-comprehend/src/runtimeConfig.ts +++ b/clients/client-comprehend/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ComprehendClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-comprehendmedical/src/runtimeConfig.ts b/clients/client-comprehendmedical/src/runtimeConfig.ts index 968bf5425790..55c4b94d5f93 100644 --- a/clients/client-comprehendmedical/src/runtimeConfig.ts +++ b/clients/client-comprehendmedical/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ComprehendMedicalClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-compute-optimizer/src/runtimeConfig.ts b/clients/client-compute-optimizer/src/runtimeConfig.ts index 58cafe6c1d99..483e143f5d57 100644 --- a/clients/client-compute-optimizer/src/runtimeConfig.ts +++ b/clients/client-compute-optimizer/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ComputeOptimizerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-config-service/src/runtimeConfig.ts b/clients/client-config-service/src/runtimeConfig.ts index b19293653811..e05e3f734a28 100644 --- a/clients/client-config-service/src/runtimeConfig.ts +++ b/clients/client-config-service/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ConfigServiceClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-connect-contact-lens/src/runtimeConfig.ts b/clients/client-connect-contact-lens/src/runtimeConfig.ts index 057b78add039..e25bb0076f87 100644 --- a/clients/client-connect-contact-lens/src/runtimeConfig.ts +++ b/clients/client-connect-contact-lens/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ConnectContactLensClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-connect/src/runtimeConfig.ts b/clients/client-connect/src/runtimeConfig.ts index 89cee773367c..2a5b9910017f 100644 --- a/clients/client-connect/src/runtimeConfig.ts +++ b/clients/client-connect/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ConnectClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-connectcampaigns/src/runtimeConfig.ts b/clients/client-connectcampaigns/src/runtimeConfig.ts index a328a442b0ca..ca38fad619b0 100644 --- a/clients/client-connectcampaigns/src/runtimeConfig.ts +++ b/clients/client-connectcampaigns/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ConnectCampaignsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-connectcampaignsv2/src/runtimeConfig.ts b/clients/client-connectcampaignsv2/src/runtimeConfig.ts index 06ab1390340a..0d8f6851cbf0 100644 --- a/clients/client-connectcampaignsv2/src/runtimeConfig.ts +++ b/clients/client-connectcampaignsv2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ConnectCampaignsV2ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-connectcases/src/runtimeConfig.ts b/clients/client-connectcases/src/runtimeConfig.ts index e1a78884d09c..1b2b3174ff0d 100644 --- a/clients/client-connectcases/src/runtimeConfig.ts +++ b/clients/client-connectcases/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ConnectCasesClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-connectparticipant/src/runtimeConfig.ts b/clients/client-connectparticipant/src/runtimeConfig.ts index 81332314c981..a57d276bd145 100644 --- a/clients/client-connectparticipant/src/runtimeConfig.ts +++ b/clients/client-connectparticipant/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ConnectParticipantClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-controlcatalog/src/runtimeConfig.ts b/clients/client-controlcatalog/src/runtimeConfig.ts index 65c390729527..ddab03110596 100644 --- a/clients/client-controlcatalog/src/runtimeConfig.ts +++ b/clients/client-controlcatalog/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ControlCatalogClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-controltower/src/runtimeConfig.ts b/clients/client-controltower/src/runtimeConfig.ts index bc956f7d4ed0..c1b88ab9cf84 100644 --- a/clients/client-controltower/src/runtimeConfig.ts +++ b/clients/client-controltower/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ControlTowerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cost-and-usage-report-service/src/runtimeConfig.ts b/clients/client-cost-and-usage-report-service/src/runtimeConfig.ts index f4f102d486c2..31f087eb3e0a 100644 --- a/clients/client-cost-and-usage-report-service/src/runtimeConfig.ts +++ b/clients/client-cost-and-usage-report-service/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CostAndUsageReportServiceClientConfig) ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cost-explorer/src/runtimeConfig.ts b/clients/client-cost-explorer/src/runtimeConfig.ts index 585a1f1bfc21..e60c1f300492 100644 --- a/clients/client-cost-explorer/src/runtimeConfig.ts +++ b/clients/client-cost-explorer/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CostExplorerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-cost-optimization-hub/src/runtimeConfig.ts b/clients/client-cost-optimization-hub/src/runtimeConfig.ts index 992610da3a70..9ab233cac0e0 100644 --- a/clients/client-cost-optimization-hub/src/runtimeConfig.ts +++ b/clients/client-cost-optimization-hub/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CostOptimizationHubClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-customer-profiles/src/runtimeConfig.ts b/clients/client-customer-profiles/src/runtimeConfig.ts index 6887f39847b7..be7b41aef1cb 100644 --- a/clients/client-customer-profiles/src/runtimeConfig.ts +++ b/clients/client-customer-profiles/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: CustomerProfilesClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-data-pipeline/src/runtimeConfig.ts b/clients/client-data-pipeline/src/runtimeConfig.ts index 90b71c268297..9082a359f219 100644 --- a/clients/client-data-pipeline/src/runtimeConfig.ts +++ b/clients/client-data-pipeline/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DataPipelineClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-database-migration-service/src/runtimeConfig.ts b/clients/client-database-migration-service/src/runtimeConfig.ts index 4d0f09965937..be3d4260fdfb 100644 --- a/clients/client-database-migration-service/src/runtimeConfig.ts +++ b/clients/client-database-migration-service/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DatabaseMigrationServiceClientConfig) = ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-databrew/src/runtimeConfig.ts b/clients/client-databrew/src/runtimeConfig.ts index da45749bb9cc..7c2f812a2161 100644 --- a/clients/client-databrew/src/runtimeConfig.ts +++ b/clients/client-databrew/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DataBrewClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-dataexchange/src/runtimeConfig.ts b/clients/client-dataexchange/src/runtimeConfig.ts index c47e3d620859..14aedef1b109 100644 --- a/clients/client-dataexchange/src/runtimeConfig.ts +++ b/clients/client-dataexchange/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DataExchangeClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-datasync/src/runtimeConfig.ts b/clients/client-datasync/src/runtimeConfig.ts index f7010e93f922..52599ae035c3 100644 --- a/clients/client-datasync/src/runtimeConfig.ts +++ b/clients/client-datasync/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DataSyncClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-datazone/src/runtimeConfig.ts b/clients/client-datazone/src/runtimeConfig.ts index 5479c7065e86..173cfbf46b54 100644 --- a/clients/client-datazone/src/runtimeConfig.ts +++ b/clients/client-datazone/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DataZoneClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-dax/src/runtimeConfig.ts b/clients/client-dax/src/runtimeConfig.ts index ffa322fe8cc0..66b167954f8f 100644 --- a/clients/client-dax/src/runtimeConfig.ts +++ b/clients/client-dax/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DAXClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-deadline/src/runtimeConfig.ts b/clients/client-deadline/src/runtimeConfig.ts index c07a7e537bec..aa853c9878d6 100644 --- a/clients/client-deadline/src/runtimeConfig.ts +++ b/clients/client-deadline/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DeadlineClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-detective/src/runtimeConfig.ts b/clients/client-detective/src/runtimeConfig.ts index 7029f0501ed5..4686588d871e 100644 --- a/clients/client-detective/src/runtimeConfig.ts +++ b/clients/client-detective/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DetectiveClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-device-farm/src/runtimeConfig.ts b/clients/client-device-farm/src/runtimeConfig.ts index 6eb34d8dd966..217bf70cc4ab 100644 --- a/clients/client-device-farm/src/runtimeConfig.ts +++ b/clients/client-device-farm/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DeviceFarmClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-devops-guru/src/runtimeConfig.ts b/clients/client-devops-guru/src/runtimeConfig.ts index b89e220c905d..2a8fabc2050c 100644 --- a/clients/client-devops-guru/src/runtimeConfig.ts +++ b/clients/client-devops-guru/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DevOpsGuruClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-direct-connect/src/runtimeConfig.ts b/clients/client-direct-connect/src/runtimeConfig.ts index e1e3a6162a6d..c45cf307329e 100644 --- a/clients/client-direct-connect/src/runtimeConfig.ts +++ b/clients/client-direct-connect/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DirectConnectClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-directory-service-data/src/runtimeConfig.ts b/clients/client-directory-service-data/src/runtimeConfig.ts index f17b75524a07..d9f0fed9e470 100644 --- a/clients/client-directory-service-data/src/runtimeConfig.ts +++ b/clients/client-directory-service-data/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DirectoryServiceDataClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-directory-service/src/runtimeConfig.ts b/clients/client-directory-service/src/runtimeConfig.ts index b7f349248c42..64d5d3642dbc 100644 --- a/clients/client-directory-service/src/runtimeConfig.ts +++ b/clients/client-directory-service/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DirectoryServiceClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-dlm/src/runtimeConfig.ts b/clients/client-dlm/src/runtimeConfig.ts index 1e004b8c5913..4085ccdd9a22 100644 --- a/clients/client-dlm/src/runtimeConfig.ts +++ b/clients/client-dlm/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DLMClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-docdb-elastic/src/runtimeConfig.ts b/clients/client-docdb-elastic/src/runtimeConfig.ts index 4aa2656c2a87..5fd183a4cc08 100644 --- a/clients/client-docdb-elastic/src/runtimeConfig.ts +++ b/clients/client-docdb-elastic/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DocDBElasticClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-docdb/src/runtimeConfig.ts b/clients/client-docdb/src/runtimeConfig.ts index 518d4fd82925..e02347371371 100644 --- a/clients/client-docdb/src/runtimeConfig.ts +++ b/clients/client-docdb/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DocDBClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-drs/src/runtimeConfig.ts b/clients/client-drs/src/runtimeConfig.ts index 97ffd0122953..17842c7310c5 100644 --- a/clients/client-drs/src/runtimeConfig.ts +++ b/clients/client-drs/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DrsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-dsql/src/runtimeConfig.ts b/clients/client-dsql/src/runtimeConfig.ts index b77ebc6ff4d6..70325c560d68 100644 --- a/clients/client-dsql/src/runtimeConfig.ts +++ b/clients/client-dsql/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DSQLClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-dynamodb-streams/src/runtimeConfig.ts b/clients/client-dynamodb-streams/src/runtimeConfig.ts index f1660b138417..bce422cfc88d 100644 --- a/clients/client-dynamodb-streams/src/runtimeConfig.ts +++ b/clients/client-dynamodb-streams/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: DynamoDBStreamsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-dynamodb/src/runtimeConfig.ts b/clients/client-dynamodb/src/runtimeConfig.ts index 3d69132dbe47..0a6e2b9fea2d 100644 --- a/clients/client-dynamodb/src/runtimeConfig.ts +++ b/clients/client-dynamodb/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { NODE_ACCOUNT_ID_ENDPOINT_MODE_CONFIG_OPTIONS } from "@aws-sdk/core/account-id-endpoint"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_ENDPOINT_DISCOVERY_CONFIG_OPTIONS } from "@aws-sdk/middleware-endpoint-discovery"; @@ -42,6 +42,8 @@ export const getRuntimeConfig = (config: DynamoDBClientConfig) => { defaultsMode, accountIdEndpointMode: config?.accountIdEndpointMode ?? loadNodeConfig(NODE_ACCOUNT_ID_ENDPOINT_MODE_CONFIG_OPTIONS, profileConfig), + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-ebs/src/runtimeConfig.ts b/clients/client-ebs/src/runtimeConfig.ts index 46d7bba075ac..e5516591d498 100644 --- a/clients/client-ebs/src/runtimeConfig.ts +++ b/clients/client-ebs/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: EBSClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-ec2-instance-connect/src/runtimeConfig.ts b/clients/client-ec2-instance-connect/src/runtimeConfig.ts index ac88c58f16a0..b7b14b4f42f4 100644 --- a/clients/client-ec2-instance-connect/src/runtimeConfig.ts +++ b/clients/client-ec2-instance-connect/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: EC2InstanceConnectClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-ec2/src/runtimeConfig.ts b/clients/client-ec2/src/runtimeConfig.ts index 77cfd988cc10..741b480c27fa 100644 --- a/clients/client-ec2/src/runtimeConfig.ts +++ b/clients/client-ec2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: EC2ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-ecr-public/src/runtimeConfig.ts b/clients/client-ecr-public/src/runtimeConfig.ts index 315d41aab4e9..d5011514b451 100644 --- a/clients/client-ecr-public/src/runtimeConfig.ts +++ b/clients/client-ecr-public/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ECRPUBLICClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-ecr/src/runtimeConfig.ts b/clients/client-ecr/src/runtimeConfig.ts index 2929fe7c3a0c..39285971c87a 100644 --- a/clients/client-ecr/src/runtimeConfig.ts +++ b/clients/client-ecr/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ECRClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-ecs/src/runtimeConfig.ts b/clients/client-ecs/src/runtimeConfig.ts index 687ef6f74891..6f8bb5c361ca 100644 --- a/clients/client-ecs/src/runtimeConfig.ts +++ b/clients/client-ecs/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ECSClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-efs/src/runtimeConfig.ts b/clients/client-efs/src/runtimeConfig.ts index 8a01196ede98..c9ad4372b9d5 100644 --- a/clients/client-efs/src/runtimeConfig.ts +++ b/clients/client-efs/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: EFSClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-eks-auth/src/runtimeConfig.ts b/clients/client-eks-auth/src/runtimeConfig.ts index 5a340fdcd688..35a90c71d4ab 100644 --- a/clients/client-eks-auth/src/runtimeConfig.ts +++ b/clients/client-eks-auth/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: EKSAuthClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-eks/src/runtimeConfig.ts b/clients/client-eks/src/runtimeConfig.ts index 995f035cb267..f176347bab3a 100644 --- a/clients/client-eks/src/runtimeConfig.ts +++ b/clients/client-eks/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: EKSClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-elastic-beanstalk/src/runtimeConfig.ts b/clients/client-elastic-beanstalk/src/runtimeConfig.ts index 1de41774ded4..8021fa9d6f50 100644 --- a/clients/client-elastic-beanstalk/src/runtimeConfig.ts +++ b/clients/client-elastic-beanstalk/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ElasticBeanstalkClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-elastic-load-balancing-v2/src/runtimeConfig.ts b/clients/client-elastic-load-balancing-v2/src/runtimeConfig.ts index bb0eff652faa..474229ac6dab 100644 --- a/clients/client-elastic-load-balancing-v2/src/runtimeConfig.ts +++ b/clients/client-elastic-load-balancing-v2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ElasticLoadBalancingV2ClientConfig) => ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-elastic-load-balancing/src/runtimeConfig.ts b/clients/client-elastic-load-balancing/src/runtimeConfig.ts index b47ee6838acb..c5dbe8b32d1b 100644 --- a/clients/client-elastic-load-balancing/src/runtimeConfig.ts +++ b/clients/client-elastic-load-balancing/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ElasticLoadBalancingClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-elastic-transcoder/src/runtimeConfig.ts b/clients/client-elastic-transcoder/src/runtimeConfig.ts index d2515fd8d38e..2d0cdfb16cb7 100644 --- a/clients/client-elastic-transcoder/src/runtimeConfig.ts +++ b/clients/client-elastic-transcoder/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ElasticTranscoderClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-elasticache/src/runtimeConfig.ts b/clients/client-elasticache/src/runtimeConfig.ts index 1f7c2d18695c..eaecbc1de2c9 100644 --- a/clients/client-elasticache/src/runtimeConfig.ts +++ b/clients/client-elasticache/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ElastiCacheClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-elasticsearch-service/src/runtimeConfig.ts b/clients/client-elasticsearch-service/src/runtimeConfig.ts index 49715f1c4591..1b18e7287eda 100644 --- a/clients/client-elasticsearch-service/src/runtimeConfig.ts +++ b/clients/client-elasticsearch-service/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ElasticsearchServiceClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-emr-containers/src/runtimeConfig.ts b/clients/client-emr-containers/src/runtimeConfig.ts index 570a46a698a7..bedff55ed67c 100644 --- a/clients/client-emr-containers/src/runtimeConfig.ts +++ b/clients/client-emr-containers/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: EMRContainersClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-emr-serverless/src/runtimeConfig.ts b/clients/client-emr-serverless/src/runtimeConfig.ts index f0a140813cd4..9ecacffd89ae 100644 --- a/clients/client-emr-serverless/src/runtimeConfig.ts +++ b/clients/client-emr-serverless/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: EMRServerlessClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-emr/src/runtimeConfig.ts b/clients/client-emr/src/runtimeConfig.ts index f42dcc6e1bda..20e0730211bc 100644 --- a/clients/client-emr/src/runtimeConfig.ts +++ b/clients/client-emr/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: EMRClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-entityresolution/src/runtimeConfig.ts b/clients/client-entityresolution/src/runtimeConfig.ts index e82240003be1..2553ca773038 100644 --- a/clients/client-entityresolution/src/runtimeConfig.ts +++ b/clients/client-entityresolution/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: EntityResolutionClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-eventbridge/src/runtimeConfig.ts b/clients/client-eventbridge/src/runtimeConfig.ts index c77d3580908b..9481adf66836 100644 --- a/clients/client-eventbridge/src/runtimeConfig.ts +++ b/clients/client-eventbridge/src/runtimeConfig.ts @@ -2,7 +2,11 @@ // @ts-ignore: package.json will be imported from dist folders import packageInfo from "../package.json"; // eslint-disable-line -import { NODE_SIGV4A_CONFIG_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; +import { + NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, + NODE_SIGV4A_CONFIG_OPTIONS, + emitWarningIfUnsupportedVersion as awsCheckVersion, +} from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +42,8 @@ export const getRuntimeConfig = (config: EventBridgeClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-evidently/src/runtimeConfig.ts b/clients/client-evidently/src/runtimeConfig.ts index cd62b12a7fe0..5279808c227c 100644 --- a/clients/client-evidently/src/runtimeConfig.ts +++ b/clients/client-evidently/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: EvidentlyClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-finspace-data/src/runtimeConfig.ts b/clients/client-finspace-data/src/runtimeConfig.ts index c98aaf19fb90..f4c73ea503b7 100644 --- a/clients/client-finspace-data/src/runtimeConfig.ts +++ b/clients/client-finspace-data/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: FinspaceDataClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-finspace/src/runtimeConfig.ts b/clients/client-finspace/src/runtimeConfig.ts index e59001e68ace..2003e21d0d55 100644 --- a/clients/client-finspace/src/runtimeConfig.ts +++ b/clients/client-finspace/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: FinspaceClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-firehose/src/runtimeConfig.ts b/clients/client-firehose/src/runtimeConfig.ts index 7110e54811e3..c2e68bb75504 100644 --- a/clients/client-firehose/src/runtimeConfig.ts +++ b/clients/client-firehose/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: FirehoseClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-fis/src/runtimeConfig.ts b/clients/client-fis/src/runtimeConfig.ts index 1221964b9a1f..9c485be21970 100644 --- a/clients/client-fis/src/runtimeConfig.ts +++ b/clients/client-fis/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: FisClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-fms/src/runtimeConfig.ts b/clients/client-fms/src/runtimeConfig.ts index 81e357e4e95c..6ab6999a091d 100644 --- a/clients/client-fms/src/runtimeConfig.ts +++ b/clients/client-fms/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: FMSClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-forecast/src/runtimeConfig.ts b/clients/client-forecast/src/runtimeConfig.ts index dcc781fa0a41..c78088af0bdf 100644 --- a/clients/client-forecast/src/runtimeConfig.ts +++ b/clients/client-forecast/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ForecastClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-forecastquery/src/runtimeConfig.ts b/clients/client-forecastquery/src/runtimeConfig.ts index 0f0f8a715db5..55c3af4f3f18 100644 --- a/clients/client-forecastquery/src/runtimeConfig.ts +++ b/clients/client-forecastquery/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ForecastqueryClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-frauddetector/src/runtimeConfig.ts b/clients/client-frauddetector/src/runtimeConfig.ts index 9657edb1bf48..2ff45a3dce61 100644 --- a/clients/client-frauddetector/src/runtimeConfig.ts +++ b/clients/client-frauddetector/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: FraudDetectorClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-freetier/src/runtimeConfig.ts b/clients/client-freetier/src/runtimeConfig.ts index a8b1017d5578..c4c115c6b64b 100644 --- a/clients/client-freetier/src/runtimeConfig.ts +++ b/clients/client-freetier/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: FreeTierClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-fsx/src/runtimeConfig.ts b/clients/client-fsx/src/runtimeConfig.ts index f5d5b18950ea..40e56300542f 100644 --- a/clients/client-fsx/src/runtimeConfig.ts +++ b/clients/client-fsx/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: FSxClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-gamelift/src/runtimeConfig.ts b/clients/client-gamelift/src/runtimeConfig.ts index 1243063a12d2..2250e8fc92fa 100644 --- a/clients/client-gamelift/src/runtimeConfig.ts +++ b/clients/client-gamelift/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: GameLiftClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-gameliftstreams/src/runtimeConfig.ts b/clients/client-gameliftstreams/src/runtimeConfig.ts index 8ade16777706..8be54ad9577e 100644 --- a/clients/client-gameliftstreams/src/runtimeConfig.ts +++ b/clients/client-gameliftstreams/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: GameLiftStreamsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-geo-maps/src/runtimeConfig.ts b/clients/client-geo-maps/src/runtimeConfig.ts index b723984d4b68..be6b1d76edd4 100644 --- a/clients/client-geo-maps/src/runtimeConfig.ts +++ b/clients/client-geo-maps/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: GeoMapsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-geo-places/src/runtimeConfig.ts b/clients/client-geo-places/src/runtimeConfig.ts index babccaae352e..90054b4362b8 100644 --- a/clients/client-geo-places/src/runtimeConfig.ts +++ b/clients/client-geo-places/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: GeoPlacesClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-geo-routes/src/runtimeConfig.ts b/clients/client-geo-routes/src/runtimeConfig.ts index 4f9868fab081..2cc6044c05a9 100644 --- a/clients/client-geo-routes/src/runtimeConfig.ts +++ b/clients/client-geo-routes/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: GeoRoutesClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-glacier/src/runtimeConfig.ts b/clients/client-glacier/src/runtimeConfig.ts index 084d022b65bf..400a3050f53b 100644 --- a/clients/client-glacier/src/runtimeConfig.ts +++ b/clients/client-glacier/src/runtimeConfig.ts @@ -3,7 +3,7 @@ import packageInfo from "../package.json"; // eslint-disable-line import { bodyChecksumGenerator } from "@aws-sdk/body-checksum-node"; -import { emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; +import { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -39,6 +39,8 @@ export const getRuntimeConfig = (config: GlacierClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyChecksumGenerator: config?.bodyChecksumGenerator ?? bodyChecksumGenerator, bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, diff --git a/clients/client-global-accelerator/src/runtimeConfig.ts b/clients/client-global-accelerator/src/runtimeConfig.ts index 6ac1105fc30b..5dff6aeb15f3 100644 --- a/clients/client-global-accelerator/src/runtimeConfig.ts +++ b/clients/client-global-accelerator/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: GlobalAcceleratorClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-glue/src/runtimeConfig.ts b/clients/client-glue/src/runtimeConfig.ts index 4ec531e59dcd..cbbad560eaa6 100644 --- a/clients/client-glue/src/runtimeConfig.ts +++ b/clients/client-glue/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: GlueClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-grafana/src/runtimeConfig.ts b/clients/client-grafana/src/runtimeConfig.ts index 2a9f1a6cbadb..3be2463d52ff 100644 --- a/clients/client-grafana/src/runtimeConfig.ts +++ b/clients/client-grafana/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: GrafanaClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-greengrass/src/runtimeConfig.ts b/clients/client-greengrass/src/runtimeConfig.ts index bc73e96e3cbf..7f9049b5687c 100644 --- a/clients/client-greengrass/src/runtimeConfig.ts +++ b/clients/client-greengrass/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: GreengrassClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-greengrassv2/src/runtimeConfig.ts b/clients/client-greengrassv2/src/runtimeConfig.ts index c05826c858a5..edc7c203e4a5 100644 --- a/clients/client-greengrassv2/src/runtimeConfig.ts +++ b/clients/client-greengrassv2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: GreengrassV2ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-groundstation/src/runtimeConfig.ts b/clients/client-groundstation/src/runtimeConfig.ts index 42ec53d0ff2e..a6d1c75fd802 100644 --- a/clients/client-groundstation/src/runtimeConfig.ts +++ b/clients/client-groundstation/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: GroundStationClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-guardduty/src/runtimeConfig.ts b/clients/client-guardduty/src/runtimeConfig.ts index d3af6b4ea038..4fabd40316b0 100644 --- a/clients/client-guardduty/src/runtimeConfig.ts +++ b/clients/client-guardduty/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: GuardDutyClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-health/src/runtimeConfig.ts b/clients/client-health/src/runtimeConfig.ts index 3d1afe8cbe7f..ec343371b870 100644 --- a/clients/client-health/src/runtimeConfig.ts +++ b/clients/client-health/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: HealthClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-healthlake/src/runtimeConfig.ts b/clients/client-healthlake/src/runtimeConfig.ts index 0727db9b0546..eb0dd4313ffd 100644 --- a/clients/client-healthlake/src/runtimeConfig.ts +++ b/clients/client-healthlake/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: HealthLakeClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-iam/src/runtimeConfig.ts b/clients/client-iam/src/runtimeConfig.ts index 82d17cfd675b..3de9ee71d942 100644 --- a/clients/client-iam/src/runtimeConfig.ts +++ b/clients/client-iam/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IAMClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-identitystore/src/runtimeConfig.ts b/clients/client-identitystore/src/runtimeConfig.ts index a110f63312fb..cc02b7254e0e 100644 --- a/clients/client-identitystore/src/runtimeConfig.ts +++ b/clients/client-identitystore/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IdentitystoreClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-imagebuilder/src/runtimeConfig.ts b/clients/client-imagebuilder/src/runtimeConfig.ts index c861d10f4287..770a65eba89a 100644 --- a/clients/client-imagebuilder/src/runtimeConfig.ts +++ b/clients/client-imagebuilder/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ImagebuilderClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-inspector-scan/src/runtimeConfig.ts b/clients/client-inspector-scan/src/runtimeConfig.ts index fff0a3b46977..e65e0b52ff61 100644 --- a/clients/client-inspector-scan/src/runtimeConfig.ts +++ b/clients/client-inspector-scan/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: InspectorScanClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-inspector/src/runtimeConfig.ts b/clients/client-inspector/src/runtimeConfig.ts index 5545a09dc9ce..e956d7e8eb09 100644 --- a/clients/client-inspector/src/runtimeConfig.ts +++ b/clients/client-inspector/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: InspectorClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-inspector2/src/runtimeConfig.ts b/clients/client-inspector2/src/runtimeConfig.ts index 8ab524d31665..59171734e0e7 100644 --- a/clients/client-inspector2/src/runtimeConfig.ts +++ b/clients/client-inspector2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: Inspector2ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-internetmonitor/src/runtimeConfig.ts b/clients/client-internetmonitor/src/runtimeConfig.ts index 34b926aa931c..796f471f157a 100644 --- a/clients/client-internetmonitor/src/runtimeConfig.ts +++ b/clients/client-internetmonitor/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: InternetMonitorClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-invoicing/src/runtimeConfig.ts b/clients/client-invoicing/src/runtimeConfig.ts index 3958258aad73..f897c420ba9f 100644 --- a/clients/client-invoicing/src/runtimeConfig.ts +++ b/clients/client-invoicing/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: InvoicingClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-iot-data-plane/src/runtimeConfig.ts b/clients/client-iot-data-plane/src/runtimeConfig.ts index 8c079bb976d1..e89fc6e61ab4 100644 --- a/clients/client-iot-data-plane/src/runtimeConfig.ts +++ b/clients/client-iot-data-plane/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IoTDataPlaneClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-iot-events-data/src/runtimeConfig.ts b/clients/client-iot-events-data/src/runtimeConfig.ts index 806993987360..be546dcf93dc 100644 --- a/clients/client-iot-events-data/src/runtimeConfig.ts +++ b/clients/client-iot-events-data/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IoTEventsDataClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-iot-events/src/runtimeConfig.ts b/clients/client-iot-events/src/runtimeConfig.ts index 432483c6fc04..3a41de319e51 100644 --- a/clients/client-iot-events/src/runtimeConfig.ts +++ b/clients/client-iot-events/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IoTEventsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-iot-jobs-data-plane/src/runtimeConfig.ts b/clients/client-iot-jobs-data-plane/src/runtimeConfig.ts index 65100edb24ef..7f2f7dcb8215 100644 --- a/clients/client-iot-jobs-data-plane/src/runtimeConfig.ts +++ b/clients/client-iot-jobs-data-plane/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IoTJobsDataPlaneClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-iot-managed-integrations/src/runtimeConfig.ts b/clients/client-iot-managed-integrations/src/runtimeConfig.ts index b8464fbb7a6c..77c9af37f13a 100644 --- a/clients/client-iot-managed-integrations/src/runtimeConfig.ts +++ b/clients/client-iot-managed-integrations/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IoTManagedIntegrationsClientConfig) => ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-iot-wireless/src/runtimeConfig.ts b/clients/client-iot-wireless/src/runtimeConfig.ts index 10709af7062b..4178b20cde32 100644 --- a/clients/client-iot-wireless/src/runtimeConfig.ts +++ b/clients/client-iot-wireless/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IoTWirelessClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-iot/src/runtimeConfig.ts b/clients/client-iot/src/runtimeConfig.ts index b3bea08f404c..43c8d2d194be 100644 --- a/clients/client-iot/src/runtimeConfig.ts +++ b/clients/client-iot/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IoTClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-iotanalytics/src/runtimeConfig.ts b/clients/client-iotanalytics/src/runtimeConfig.ts index bb1af77e4010..001c6acd02c2 100644 --- a/clients/client-iotanalytics/src/runtimeConfig.ts +++ b/clients/client-iotanalytics/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IoTAnalyticsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-iotdeviceadvisor/src/runtimeConfig.ts b/clients/client-iotdeviceadvisor/src/runtimeConfig.ts index 6a609b4b6f71..cb23edd27de4 100644 --- a/clients/client-iotdeviceadvisor/src/runtimeConfig.ts +++ b/clients/client-iotdeviceadvisor/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IotDeviceAdvisorClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-iotfleethub/src/runtimeConfig.ts b/clients/client-iotfleethub/src/runtimeConfig.ts index df4291a0f010..5b16cc9efe5e 100644 --- a/clients/client-iotfleethub/src/runtimeConfig.ts +++ b/clients/client-iotfleethub/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IoTFleetHubClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-iotfleetwise/src/runtimeConfig.ts b/clients/client-iotfleetwise/src/runtimeConfig.ts index 507629feac99..9fca66635aaf 100644 --- a/clients/client-iotfleetwise/src/runtimeConfig.ts +++ b/clients/client-iotfleetwise/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IoTFleetWiseClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-iotsecuretunneling/src/runtimeConfig.ts b/clients/client-iotsecuretunneling/src/runtimeConfig.ts index 5a8ec0911993..a42db30219f7 100644 --- a/clients/client-iotsecuretunneling/src/runtimeConfig.ts +++ b/clients/client-iotsecuretunneling/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IoTSecureTunnelingClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-iotsitewise/src/runtimeConfig.ts b/clients/client-iotsitewise/src/runtimeConfig.ts index 8af17a269af5..f68611a1d264 100644 --- a/clients/client-iotsitewise/src/runtimeConfig.ts +++ b/clients/client-iotsitewise/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -39,6 +39,8 @@ export const getRuntimeConfig = (config: IoTSiteWiseClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-iotthingsgraph/src/runtimeConfig.ts b/clients/client-iotthingsgraph/src/runtimeConfig.ts index 143477d04697..15c10197354f 100644 --- a/clients/client-iotthingsgraph/src/runtimeConfig.ts +++ b/clients/client-iotthingsgraph/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IoTThingsGraphClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-iottwinmaker/src/runtimeConfig.ts b/clients/client-iottwinmaker/src/runtimeConfig.ts index ebbea0897cb1..e52c86df8601 100644 --- a/clients/client-iottwinmaker/src/runtimeConfig.ts +++ b/clients/client-iottwinmaker/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IoTTwinMakerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-ivs-realtime/src/runtimeConfig.ts b/clients/client-ivs-realtime/src/runtimeConfig.ts index fe6a7bfde447..063e66e7875e 100644 --- a/clients/client-ivs-realtime/src/runtimeConfig.ts +++ b/clients/client-ivs-realtime/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IVSRealTimeClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-ivs/src/runtimeConfig.ts b/clients/client-ivs/src/runtimeConfig.ts index dfb8d606c349..710100b56e5a 100644 --- a/clients/client-ivs/src/runtimeConfig.ts +++ b/clients/client-ivs/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IvsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-ivschat/src/runtimeConfig.ts b/clients/client-ivschat/src/runtimeConfig.ts index a7fdc11ada9f..17cd84e0b03e 100644 --- a/clients/client-ivschat/src/runtimeConfig.ts +++ b/clients/client-ivschat/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: IvschatClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-kafka/src/runtimeConfig.ts b/clients/client-kafka/src/runtimeConfig.ts index 35b68ab2113e..cbcae7c586b8 100644 --- a/clients/client-kafka/src/runtimeConfig.ts +++ b/clients/client-kafka/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: KafkaClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-kafkaconnect/src/runtimeConfig.ts b/clients/client-kafkaconnect/src/runtimeConfig.ts index 45c66e53397d..2646da5e05eb 100644 --- a/clients/client-kafkaconnect/src/runtimeConfig.ts +++ b/clients/client-kafkaconnect/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: KafkaConnectClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-kendra-ranking/src/runtimeConfig.ts b/clients/client-kendra-ranking/src/runtimeConfig.ts index d04a53083271..140f6b7eaab4 100644 --- a/clients/client-kendra-ranking/src/runtimeConfig.ts +++ b/clients/client-kendra-ranking/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: KendraRankingClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-kendra/src/runtimeConfig.ts b/clients/client-kendra/src/runtimeConfig.ts index 1e25b9a1bd9c..05e1317723b2 100644 --- a/clients/client-kendra/src/runtimeConfig.ts +++ b/clients/client-kendra/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: KendraClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-keyspaces/src/runtimeConfig.ts b/clients/client-keyspaces/src/runtimeConfig.ts index 8edf4ecc9792..6c368b0019ca 100644 --- a/clients/client-keyspaces/src/runtimeConfig.ts +++ b/clients/client-keyspaces/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: KeyspacesClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-kinesis-analytics-v2/src/runtimeConfig.ts b/clients/client-kinesis-analytics-v2/src/runtimeConfig.ts index f3b9207356e6..89c83f7235e0 100644 --- a/clients/client-kinesis-analytics-v2/src/runtimeConfig.ts +++ b/clients/client-kinesis-analytics-v2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: KinesisAnalyticsV2ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-kinesis-analytics/src/runtimeConfig.ts b/clients/client-kinesis-analytics/src/runtimeConfig.ts index d9a19b48aeb8..fd205f68d701 100644 --- a/clients/client-kinesis-analytics/src/runtimeConfig.ts +++ b/clients/client-kinesis-analytics/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: KinesisAnalyticsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-kinesis-video-archived-media/src/runtimeConfig.ts b/clients/client-kinesis-video-archived-media/src/runtimeConfig.ts index c485852b90cc..6145941fbd5d 100644 --- a/clients/client-kinesis-video-archived-media/src/runtimeConfig.ts +++ b/clients/client-kinesis-video-archived-media/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: KinesisVideoArchivedMediaClientConfig) ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-kinesis-video-media/src/runtimeConfig.ts b/clients/client-kinesis-video-media/src/runtimeConfig.ts index ee53171c5f56..e95894284fbe 100644 --- a/clients/client-kinesis-video-media/src/runtimeConfig.ts +++ b/clients/client-kinesis-video-media/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: KinesisVideoMediaClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-kinesis-video-signaling/src/runtimeConfig.ts b/clients/client-kinesis-video-signaling/src/runtimeConfig.ts index e4152cbb704d..e195483fd679 100644 --- a/clients/client-kinesis-video-signaling/src/runtimeConfig.ts +++ b/clients/client-kinesis-video-signaling/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: KinesisVideoSignalingClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-kinesis-video-webrtc-storage/src/runtimeConfig.ts b/clients/client-kinesis-video-webrtc-storage/src/runtimeConfig.ts index 2a1103ae501f..87aa763b0499 100644 --- a/clients/client-kinesis-video-webrtc-storage/src/runtimeConfig.ts +++ b/clients/client-kinesis-video-webrtc-storage/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: KinesisVideoWebRTCStorageClientConfig) ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-kinesis-video/src/runtimeConfig.ts b/clients/client-kinesis-video/src/runtimeConfig.ts index cc08f9b8c83e..e76ddf30a894 100644 --- a/clients/client-kinesis-video/src/runtimeConfig.ts +++ b/clients/client-kinesis-video/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: KinesisVideoClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-kinesis/src/runtimeConfig.ts b/clients/client-kinesis/src/runtimeConfig.ts index fbec80f4eab0..3e54759baace 100644 --- a/clients/client-kinesis/src/runtimeConfig.ts +++ b/clients/client-kinesis/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -39,6 +39,8 @@ export const getRuntimeConfig = (config: KinesisClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-kms/src/runtimeConfig.ts b/clients/client-kms/src/runtimeConfig.ts index 6a2bacb6faa5..79e19980ff2e 100644 --- a/clients/client-kms/src/runtimeConfig.ts +++ b/clients/client-kms/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: KMSClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-lakeformation/src/runtimeConfig.ts b/clients/client-lakeformation/src/runtimeConfig.ts index d02f913d7711..51c333fce817 100644 --- a/clients/client-lakeformation/src/runtimeConfig.ts +++ b/clients/client-lakeformation/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: LakeFormationClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-lambda/src/runtimeConfig.ts b/clients/client-lambda/src/runtimeConfig.ts index 76397778c88b..0662f1523827 100644 --- a/clients/client-lambda/src/runtimeConfig.ts +++ b/clients/client-lambda/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -39,6 +39,8 @@ export const getRuntimeConfig = (config: LambdaClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-launch-wizard/src/runtimeConfig.ts b/clients/client-launch-wizard/src/runtimeConfig.ts index a598b51b9852..0ba04dde37a3 100644 --- a/clients/client-launch-wizard/src/runtimeConfig.ts +++ b/clients/client-launch-wizard/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: LaunchWizardClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-lex-model-building-service/src/runtimeConfig.ts b/clients/client-lex-model-building-service/src/runtimeConfig.ts index 39938b0397e0..d7b2972f7781 100644 --- a/clients/client-lex-model-building-service/src/runtimeConfig.ts +++ b/clients/client-lex-model-building-service/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: LexModelBuildingServiceClientConfig) => ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-lex-models-v2/src/runtimeConfig.ts b/clients/client-lex-models-v2/src/runtimeConfig.ts index dfc1f2321a01..43356424631b 100644 --- a/clients/client-lex-models-v2/src/runtimeConfig.ts +++ b/clients/client-lex-models-v2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: LexModelsV2ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-lex-runtime-service/src/runtimeConfig.ts b/clients/client-lex-runtime-service/src/runtimeConfig.ts index 3b6e14018b30..128ee6a2f4d2 100644 --- a/clients/client-lex-runtime-service/src/runtimeConfig.ts +++ b/clients/client-lex-runtime-service/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: LexRuntimeServiceClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-lex-runtime-v2/src/runtimeConfig.ts b/clients/client-lex-runtime-v2/src/runtimeConfig.ts index 0bf95afffb95..ae5f0e681016 100644 --- a/clients/client-lex-runtime-v2/src/runtimeConfig.ts +++ b/clients/client-lex-runtime-v2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { eventStreamPayloadHandlerProvider } from "@aws-sdk/eventstream-handler-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; @@ -40,6 +40,8 @@ export const getRuntimeConfig = (config: LexRuntimeV2ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-license-manager-linux-subscriptions/src/runtimeConfig.ts b/clients/client-license-manager-linux-subscriptions/src/runtimeConfig.ts index f4c2ed32a78a..760bd62b1ff3 100644 --- a/clients/client-license-manager-linux-subscriptions/src/runtimeConfig.ts +++ b/clients/client-license-manager-linux-subscriptions/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: LicenseManagerLinuxSubscriptionsClientC ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-license-manager-user-subscriptions/src/runtimeConfig.ts b/clients/client-license-manager-user-subscriptions/src/runtimeConfig.ts index ca5b71092e95..33d4f57f123e 100644 --- a/clients/client-license-manager-user-subscriptions/src/runtimeConfig.ts +++ b/clients/client-license-manager-user-subscriptions/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: LicenseManagerUserSubscriptionsClientCo ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-license-manager/src/runtimeConfig.ts b/clients/client-license-manager/src/runtimeConfig.ts index 3464edca65d2..40e64f53b43c 100644 --- a/clients/client-license-manager/src/runtimeConfig.ts +++ b/clients/client-license-manager/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: LicenseManagerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-lightsail/src/runtimeConfig.ts b/clients/client-lightsail/src/runtimeConfig.ts index f3e55e6d1482..82a47fa0e045 100644 --- a/clients/client-lightsail/src/runtimeConfig.ts +++ b/clients/client-lightsail/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: LightsailClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-location/src/runtimeConfig.ts b/clients/client-location/src/runtimeConfig.ts index 3dfa74906eac..62b19a345bd5 100644 --- a/clients/client-location/src/runtimeConfig.ts +++ b/clients/client-location/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: LocationClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-lookoutequipment/src/runtimeConfig.ts b/clients/client-lookoutequipment/src/runtimeConfig.ts index de130a066268..145b0acfeb11 100644 --- a/clients/client-lookoutequipment/src/runtimeConfig.ts +++ b/clients/client-lookoutequipment/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: LookoutEquipmentClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-lookoutmetrics/src/runtimeConfig.ts b/clients/client-lookoutmetrics/src/runtimeConfig.ts index a0374ec38fb7..21b9cac3570b 100644 --- a/clients/client-lookoutmetrics/src/runtimeConfig.ts +++ b/clients/client-lookoutmetrics/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: LookoutMetricsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-lookoutvision/src/runtimeConfig.ts b/clients/client-lookoutvision/src/runtimeConfig.ts index 3a5d0abd4f66..f83eac0df26d 100644 --- a/clients/client-lookoutvision/src/runtimeConfig.ts +++ b/clients/client-lookoutvision/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: LookoutVisionClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-m2/src/runtimeConfig.ts b/clients/client-m2/src/runtimeConfig.ts index 1bb646cf60f9..1aac8b613c38 100644 --- a/clients/client-m2/src/runtimeConfig.ts +++ b/clients/client-m2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: M2ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-machine-learning/src/runtimeConfig.ts b/clients/client-machine-learning/src/runtimeConfig.ts index faa80f3834e0..bf27df975d61 100644 --- a/clients/client-machine-learning/src/runtimeConfig.ts +++ b/clients/client-machine-learning/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MachineLearningClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-macie2/src/runtimeConfig.ts b/clients/client-macie2/src/runtimeConfig.ts index a2295fb0fd90..bab8cba74437 100644 --- a/clients/client-macie2/src/runtimeConfig.ts +++ b/clients/client-macie2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: Macie2ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-mailmanager/src/runtimeConfig.ts b/clients/client-mailmanager/src/runtimeConfig.ts index 8307ee9574c9..71a2ad020d41 100644 --- a/clients/client-mailmanager/src/runtimeConfig.ts +++ b/clients/client-mailmanager/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MailManagerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-managedblockchain-query/src/runtimeConfig.ts b/clients/client-managedblockchain-query/src/runtimeConfig.ts index 3583ed318362..4ab0502bb3b1 100644 --- a/clients/client-managedblockchain-query/src/runtimeConfig.ts +++ b/clients/client-managedblockchain-query/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ManagedBlockchainQueryClientConfig) => ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-managedblockchain/src/runtimeConfig.ts b/clients/client-managedblockchain/src/runtimeConfig.ts index b4fef33391f5..4223d32e0410 100644 --- a/clients/client-managedblockchain/src/runtimeConfig.ts +++ b/clients/client-managedblockchain/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ManagedBlockchainClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-marketplace-agreement/src/runtimeConfig.ts b/clients/client-marketplace-agreement/src/runtimeConfig.ts index 3717c0ae667b..77cefbebd6b6 100644 --- a/clients/client-marketplace-agreement/src/runtimeConfig.ts +++ b/clients/client-marketplace-agreement/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MarketplaceAgreementClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-marketplace-catalog/src/runtimeConfig.ts b/clients/client-marketplace-catalog/src/runtimeConfig.ts index 6cbaf059418c..aa7573df58d1 100644 --- a/clients/client-marketplace-catalog/src/runtimeConfig.ts +++ b/clients/client-marketplace-catalog/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MarketplaceCatalogClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-marketplace-commerce-analytics/src/runtimeConfig.ts b/clients/client-marketplace-commerce-analytics/src/runtimeConfig.ts index fb4be57485bc..36618730ca8e 100644 --- a/clients/client-marketplace-commerce-analytics/src/runtimeConfig.ts +++ b/clients/client-marketplace-commerce-analytics/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MarketplaceCommerceAnalyticsClientConfi ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-marketplace-deployment/src/runtimeConfig.ts b/clients/client-marketplace-deployment/src/runtimeConfig.ts index 36403d5f635e..86072d640267 100644 --- a/clients/client-marketplace-deployment/src/runtimeConfig.ts +++ b/clients/client-marketplace-deployment/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MarketplaceDeploymentClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-marketplace-entitlement-service/src/runtimeConfig.ts b/clients/client-marketplace-entitlement-service/src/runtimeConfig.ts index f7199f8d9265..930a24099435 100644 --- a/clients/client-marketplace-entitlement-service/src/runtimeConfig.ts +++ b/clients/client-marketplace-entitlement-service/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MarketplaceEntitlementServiceClientConf ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-marketplace-metering/src/runtimeConfig.ts b/clients/client-marketplace-metering/src/runtimeConfig.ts index cc0b31f0ae95..fc409245ed43 100644 --- a/clients/client-marketplace-metering/src/runtimeConfig.ts +++ b/clients/client-marketplace-metering/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MarketplaceMeteringClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-marketplace-reporting/src/runtimeConfig.ts b/clients/client-marketplace-reporting/src/runtimeConfig.ts index d865d82fb00f..e6cb8eecdfa3 100644 --- a/clients/client-marketplace-reporting/src/runtimeConfig.ts +++ b/clients/client-marketplace-reporting/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MarketplaceReportingClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-mediaconnect/src/runtimeConfig.ts b/clients/client-mediaconnect/src/runtimeConfig.ts index 8ce4dc0dee49..802a8511b424 100644 --- a/clients/client-mediaconnect/src/runtimeConfig.ts +++ b/clients/client-mediaconnect/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MediaConnectClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-mediaconvert/src/runtimeConfig.ts b/clients/client-mediaconvert/src/runtimeConfig.ts index db0c9b2bfd95..07718caa246c 100644 --- a/clients/client-mediaconvert/src/runtimeConfig.ts +++ b/clients/client-mediaconvert/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MediaConvertClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-medialive/src/runtimeConfig.ts b/clients/client-medialive/src/runtimeConfig.ts index a110b65f9dc9..aa9cf42d5b99 100644 --- a/clients/client-medialive/src/runtimeConfig.ts +++ b/clients/client-medialive/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MediaLiveClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-mediapackage-vod/src/runtimeConfig.ts b/clients/client-mediapackage-vod/src/runtimeConfig.ts index 9610356354c2..c6c9781d5105 100644 --- a/clients/client-mediapackage-vod/src/runtimeConfig.ts +++ b/clients/client-mediapackage-vod/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MediaPackageVodClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-mediapackage/src/runtimeConfig.ts b/clients/client-mediapackage/src/runtimeConfig.ts index e9bd01bb6774..e91555059b9e 100644 --- a/clients/client-mediapackage/src/runtimeConfig.ts +++ b/clients/client-mediapackage/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MediaPackageClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-mediapackagev2/src/runtimeConfig.ts b/clients/client-mediapackagev2/src/runtimeConfig.ts index 542c4753a224..75a5beecbc0f 100644 --- a/clients/client-mediapackagev2/src/runtimeConfig.ts +++ b/clients/client-mediapackagev2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MediaPackageV2ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-mediastore-data/src/runtimeConfig.ts b/clients/client-mediastore-data/src/runtimeConfig.ts index 4e310fcb456e..0c89a502cb80 100644 --- a/clients/client-mediastore-data/src/runtimeConfig.ts +++ b/clients/client-mediastore-data/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MediaStoreDataClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-mediastore/src/runtimeConfig.ts b/clients/client-mediastore/src/runtimeConfig.ts index 39afcde0f834..4cda423af41c 100644 --- a/clients/client-mediastore/src/runtimeConfig.ts +++ b/clients/client-mediastore/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MediaStoreClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-mediatailor/src/runtimeConfig.ts b/clients/client-mediatailor/src/runtimeConfig.ts index 0eead527cffd..3e748d38d819 100644 --- a/clients/client-mediatailor/src/runtimeConfig.ts +++ b/clients/client-mediatailor/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MediaTailorClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-medical-imaging/src/runtimeConfig.ts b/clients/client-medical-imaging/src/runtimeConfig.ts index 706b028d9888..1d9c119da5b8 100644 --- a/clients/client-medical-imaging/src/runtimeConfig.ts +++ b/clients/client-medical-imaging/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MedicalImagingClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-memorydb/src/runtimeConfig.ts b/clients/client-memorydb/src/runtimeConfig.ts index 20b129b6667e..f7ef934a0bcd 100644 --- a/clients/client-memorydb/src/runtimeConfig.ts +++ b/clients/client-memorydb/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MemoryDBClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-mgn/src/runtimeConfig.ts b/clients/client-mgn/src/runtimeConfig.ts index 25eb48d1db3f..4c86701dcedd 100644 --- a/clients/client-mgn/src/runtimeConfig.ts +++ b/clients/client-mgn/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MgnClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-migration-hub-refactor-spaces/src/runtimeConfig.ts b/clients/client-migration-hub-refactor-spaces/src/runtimeConfig.ts index c1cd3c83efea..54bec44a33ce 100644 --- a/clients/client-migration-hub-refactor-spaces/src/runtimeConfig.ts +++ b/clients/client-migration-hub-refactor-spaces/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MigrationHubRefactorSpacesClientConfig) ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-migration-hub/src/runtimeConfig.ts b/clients/client-migration-hub/src/runtimeConfig.ts index 7afac643401f..37f9d3746715 100644 --- a/clients/client-migration-hub/src/runtimeConfig.ts +++ b/clients/client-migration-hub/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MigrationHubClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-migrationhub-config/src/runtimeConfig.ts b/clients/client-migrationhub-config/src/runtimeConfig.ts index 732c476e81e8..033747f49795 100644 --- a/clients/client-migrationhub-config/src/runtimeConfig.ts +++ b/clients/client-migrationhub-config/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MigrationHubConfigClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-migrationhuborchestrator/src/runtimeConfig.ts b/clients/client-migrationhuborchestrator/src/runtimeConfig.ts index 6ec50b2e128e..429601f556fd 100644 --- a/clients/client-migrationhuborchestrator/src/runtimeConfig.ts +++ b/clients/client-migrationhuborchestrator/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MigrationHubOrchestratorClientConfig) = ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-migrationhubstrategy/src/runtimeConfig.ts b/clients/client-migrationhubstrategy/src/runtimeConfig.ts index 0be0271e3f4c..d278d6120fb5 100644 --- a/clients/client-migrationhubstrategy/src/runtimeConfig.ts +++ b/clients/client-migrationhubstrategy/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MigrationHubStrategyClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-mq/src/runtimeConfig.ts b/clients/client-mq/src/runtimeConfig.ts index b4b03eb73566..e0c654a4f085 100644 --- a/clients/client-mq/src/runtimeConfig.ts +++ b/clients/client-mq/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MqClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-mturk/src/runtimeConfig.ts b/clients/client-mturk/src/runtimeConfig.ts index 7fb680abecb1..00e36ca1cc3b 100644 --- a/clients/client-mturk/src/runtimeConfig.ts +++ b/clients/client-mturk/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MTurkClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-mwaa/src/runtimeConfig.ts b/clients/client-mwaa/src/runtimeConfig.ts index c76709f911f8..131bc2ce021d 100644 --- a/clients/client-mwaa/src/runtimeConfig.ts +++ b/clients/client-mwaa/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MWAAClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-neptune-graph/src/runtimeConfig.ts b/clients/client-neptune-graph/src/runtimeConfig.ts index 0752cce04bdc..c481f173a252 100644 --- a/clients/client-neptune-graph/src/runtimeConfig.ts +++ b/clients/client-neptune-graph/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: NeptuneGraphClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-neptune/src/runtimeConfig.ts b/clients/client-neptune/src/runtimeConfig.ts index 1c9cf19a2da6..b06bbc68809d 100644 --- a/clients/client-neptune/src/runtimeConfig.ts +++ b/clients/client-neptune/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: NeptuneClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-neptunedata/src/runtimeConfig.ts b/clients/client-neptunedata/src/runtimeConfig.ts index 688592058e9a..7db3cbcaf4b5 100644 --- a/clients/client-neptunedata/src/runtimeConfig.ts +++ b/clients/client-neptunedata/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: NeptunedataClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-network-firewall/src/runtimeConfig.ts b/clients/client-network-firewall/src/runtimeConfig.ts index 20fb5a99876f..9f8f58ae0646 100644 --- a/clients/client-network-firewall/src/runtimeConfig.ts +++ b/clients/client-network-firewall/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: NetworkFirewallClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-networkflowmonitor/src/runtimeConfig.ts b/clients/client-networkflowmonitor/src/runtimeConfig.ts index 7b20fa614314..bc1a5d104d31 100644 --- a/clients/client-networkflowmonitor/src/runtimeConfig.ts +++ b/clients/client-networkflowmonitor/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: NetworkFlowMonitorClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-networkmanager/src/runtimeConfig.ts b/clients/client-networkmanager/src/runtimeConfig.ts index c202840ad5af..c3f27194a7ad 100644 --- a/clients/client-networkmanager/src/runtimeConfig.ts +++ b/clients/client-networkmanager/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: NetworkManagerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-networkmonitor/src/runtimeConfig.ts b/clients/client-networkmonitor/src/runtimeConfig.ts index 02f651d2c2da..baa6850d9f87 100644 --- a/clients/client-networkmonitor/src/runtimeConfig.ts +++ b/clients/client-networkmonitor/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: NetworkMonitorClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-notifications/src/runtimeConfig.ts b/clients/client-notifications/src/runtimeConfig.ts index d8cc222c36ca..64648e280b5f 100644 --- a/clients/client-notifications/src/runtimeConfig.ts +++ b/clients/client-notifications/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: NotificationsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-notificationscontacts/src/runtimeConfig.ts b/clients/client-notificationscontacts/src/runtimeConfig.ts index 4121bbadf745..77ce81afd216 100644 --- a/clients/client-notificationscontacts/src/runtimeConfig.ts +++ b/clients/client-notificationscontacts/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: NotificationsContactsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-oam/src/runtimeConfig.ts b/clients/client-oam/src/runtimeConfig.ts index 58129ddfd2ec..26e97c41b394 100644 --- a/clients/client-oam/src/runtimeConfig.ts +++ b/clients/client-oam/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: OAMClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-observabilityadmin/src/runtimeConfig.ts b/clients/client-observabilityadmin/src/runtimeConfig.ts index 2c1eb32114bf..f2497767127e 100644 --- a/clients/client-observabilityadmin/src/runtimeConfig.ts +++ b/clients/client-observabilityadmin/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ObservabilityAdminClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-omics/src/runtimeConfig.ts b/clients/client-omics/src/runtimeConfig.ts index 4e525faae233..c2d5bc54a0c5 100644 --- a/clients/client-omics/src/runtimeConfig.ts +++ b/clients/client-omics/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: OmicsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-opensearch/src/runtimeConfig.ts b/clients/client-opensearch/src/runtimeConfig.ts index 368653902055..91e8c4c772f1 100644 --- a/clients/client-opensearch/src/runtimeConfig.ts +++ b/clients/client-opensearch/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: OpenSearchClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-opensearchserverless/src/runtimeConfig.ts b/clients/client-opensearchserverless/src/runtimeConfig.ts index f40695067778..e21564933c4c 100644 --- a/clients/client-opensearchserverless/src/runtimeConfig.ts +++ b/clients/client-opensearchserverless/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: OpenSearchServerlessClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-opsworks/src/runtimeConfig.ts b/clients/client-opsworks/src/runtimeConfig.ts index 1e1e80740e4f..ae99d45fb96a 100644 --- a/clients/client-opsworks/src/runtimeConfig.ts +++ b/clients/client-opsworks/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: OpsWorksClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-opsworkscm/src/runtimeConfig.ts b/clients/client-opsworkscm/src/runtimeConfig.ts index 6dd16dae2377..0ba44a39c7ae 100644 --- a/clients/client-opsworkscm/src/runtimeConfig.ts +++ b/clients/client-opsworkscm/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: OpsWorksCMClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-organizations/src/runtimeConfig.ts b/clients/client-organizations/src/runtimeConfig.ts index 2fa538eaaefe..336f90590604 100644 --- a/clients/client-organizations/src/runtimeConfig.ts +++ b/clients/client-organizations/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: OrganizationsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-osis/src/runtimeConfig.ts b/clients/client-osis/src/runtimeConfig.ts index 60f04c443769..c680ebad2640 100644 --- a/clients/client-osis/src/runtimeConfig.ts +++ b/clients/client-osis/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: OSISClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-outposts/src/runtimeConfig.ts b/clients/client-outposts/src/runtimeConfig.ts index ec67285d1220..d72ece82273a 100644 --- a/clients/client-outposts/src/runtimeConfig.ts +++ b/clients/client-outposts/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: OutpostsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-panorama/src/runtimeConfig.ts b/clients/client-panorama/src/runtimeConfig.ts index 6389176ee41b..cbe3e88914f9 100644 --- a/clients/client-panorama/src/runtimeConfig.ts +++ b/clients/client-panorama/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PanoramaClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-partnercentral-selling/src/runtimeConfig.ts b/clients/client-partnercentral-selling/src/runtimeConfig.ts index 9f35d3a73592..173e93e995c0 100644 --- a/clients/client-partnercentral-selling/src/runtimeConfig.ts +++ b/clients/client-partnercentral-selling/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PartnerCentralSellingClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-payment-cryptography-data/src/runtimeConfig.ts b/clients/client-payment-cryptography-data/src/runtimeConfig.ts index ca0e838e93db..d4316536d1a5 100644 --- a/clients/client-payment-cryptography-data/src/runtimeConfig.ts +++ b/clients/client-payment-cryptography-data/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PaymentCryptographyDataClientConfig) => ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-payment-cryptography/src/runtimeConfig.ts b/clients/client-payment-cryptography/src/runtimeConfig.ts index 3c9a45368ec1..e140088be7b5 100644 --- a/clients/client-payment-cryptography/src/runtimeConfig.ts +++ b/clients/client-payment-cryptography/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PaymentCryptographyClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-pca-connector-ad/src/runtimeConfig.ts b/clients/client-pca-connector-ad/src/runtimeConfig.ts index b5f0d86a040c..02d959ef9457 100644 --- a/clients/client-pca-connector-ad/src/runtimeConfig.ts +++ b/clients/client-pca-connector-ad/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PcaConnectorAdClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-pca-connector-scep/src/runtimeConfig.ts b/clients/client-pca-connector-scep/src/runtimeConfig.ts index 8e81457fb8a9..819475c22542 100644 --- a/clients/client-pca-connector-scep/src/runtimeConfig.ts +++ b/clients/client-pca-connector-scep/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PcaConnectorScepClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-pcs/src/runtimeConfig.ts b/clients/client-pcs/src/runtimeConfig.ts index 50d1d6ddcb56..7b669a93f5bf 100644 --- a/clients/client-pcs/src/runtimeConfig.ts +++ b/clients/client-pcs/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PCSClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-personalize-events/src/runtimeConfig.ts b/clients/client-personalize-events/src/runtimeConfig.ts index ddd6534a9330..f38c62682457 100644 --- a/clients/client-personalize-events/src/runtimeConfig.ts +++ b/clients/client-personalize-events/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PersonalizeEventsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-personalize-runtime/src/runtimeConfig.ts b/clients/client-personalize-runtime/src/runtimeConfig.ts index 718b49aab559..e0287643804d 100644 --- a/clients/client-personalize-runtime/src/runtimeConfig.ts +++ b/clients/client-personalize-runtime/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PersonalizeRuntimeClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-personalize/src/runtimeConfig.ts b/clients/client-personalize/src/runtimeConfig.ts index 04c418f874f6..f98b43fbf1ae 100644 --- a/clients/client-personalize/src/runtimeConfig.ts +++ b/clients/client-personalize/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PersonalizeClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-pi/src/runtimeConfig.ts b/clients/client-pi/src/runtimeConfig.ts index 95b1a95ec11f..112a29cc94af 100644 --- a/clients/client-pi/src/runtimeConfig.ts +++ b/clients/client-pi/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PIClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-pinpoint-email/src/runtimeConfig.ts b/clients/client-pinpoint-email/src/runtimeConfig.ts index e81263dadc63..8ec8692898c9 100644 --- a/clients/client-pinpoint-email/src/runtimeConfig.ts +++ b/clients/client-pinpoint-email/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PinpointEmailClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-pinpoint-sms-voice-v2/src/runtimeConfig.ts b/clients/client-pinpoint-sms-voice-v2/src/runtimeConfig.ts index bcc8b2a31da1..b539b3f84544 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/runtimeConfig.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PinpointSMSVoiceV2ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-pinpoint-sms-voice/src/runtimeConfig.ts b/clients/client-pinpoint-sms-voice/src/runtimeConfig.ts index 5e173e8c1124..970f1d92c38f 100644 --- a/clients/client-pinpoint-sms-voice/src/runtimeConfig.ts +++ b/clients/client-pinpoint-sms-voice/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PinpointSMSVoiceClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-pinpoint/src/runtimeConfig.ts b/clients/client-pinpoint/src/runtimeConfig.ts index 8419b899a76d..ffe094f435a1 100644 --- a/clients/client-pinpoint/src/runtimeConfig.ts +++ b/clients/client-pinpoint/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PinpointClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-pipes/src/runtimeConfig.ts b/clients/client-pipes/src/runtimeConfig.ts index d77d31f2b1be..cfb469233f34 100644 --- a/clients/client-pipes/src/runtimeConfig.ts +++ b/clients/client-pipes/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PipesClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-polly/src/runtimeConfig.ts b/clients/client-polly/src/runtimeConfig.ts index 1e599c961079..4c12f250b553 100644 --- a/clients/client-polly/src/runtimeConfig.ts +++ b/clients/client-polly/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PollyClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-pricing/src/runtimeConfig.ts b/clients/client-pricing/src/runtimeConfig.ts index 40304e710fe5..d406f2f0b74a 100644 --- a/clients/client-pricing/src/runtimeConfig.ts +++ b/clients/client-pricing/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PricingClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-privatenetworks/src/runtimeConfig.ts b/clients/client-privatenetworks/src/runtimeConfig.ts index 7dd616a8b729..00bfbf390086 100644 --- a/clients/client-privatenetworks/src/runtimeConfig.ts +++ b/clients/client-privatenetworks/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: PrivateNetworksClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-proton/src/runtimeConfig.ts b/clients/client-proton/src/runtimeConfig.ts index 2545c59f81fa..ee3679f81221 100644 --- a/clients/client-proton/src/runtimeConfig.ts +++ b/clients/client-proton/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ProtonClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-qapps/src/runtimeConfig.ts b/clients/client-qapps/src/runtimeConfig.ts index 8125db251580..5ec207c2cb31 100644 --- a/clients/client-qapps/src/runtimeConfig.ts +++ b/clients/client-qapps/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: QAppsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-qbusiness/src/runtimeConfig.ts b/clients/client-qbusiness/src/runtimeConfig.ts index b0173234ea57..a74321a30bdc 100644 --- a/clients/client-qbusiness/src/runtimeConfig.ts +++ b/clients/client-qbusiness/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { eventStreamPayloadHandlerProvider } from "@aws-sdk/eventstream-handler-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; @@ -40,6 +40,8 @@ export const getRuntimeConfig = (config: QBusinessClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-qconnect/src/runtimeConfig.ts b/clients/client-qconnect/src/runtimeConfig.ts index f85088a95af2..abce6482f2ff 100644 --- a/clients/client-qconnect/src/runtimeConfig.ts +++ b/clients/client-qconnect/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: QConnectClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-qldb-session/src/runtimeConfig.ts b/clients/client-qldb-session/src/runtimeConfig.ts index 0993c08ddd26..782bc623e8c0 100644 --- a/clients/client-qldb-session/src/runtimeConfig.ts +++ b/clients/client-qldb-session/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: QLDBSessionClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-qldb/src/runtimeConfig.ts b/clients/client-qldb/src/runtimeConfig.ts index 2e13c1ee57cc..c20b7ad6c983 100644 --- a/clients/client-qldb/src/runtimeConfig.ts +++ b/clients/client-qldb/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: QLDBClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-quicksight/src/runtimeConfig.ts b/clients/client-quicksight/src/runtimeConfig.ts index fb5b192c6e00..97d7438a9ffa 100644 --- a/clients/client-quicksight/src/runtimeConfig.ts +++ b/clients/client-quicksight/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: QuickSightClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-ram/src/runtimeConfig.ts b/clients/client-ram/src/runtimeConfig.ts index 3cb70d0d9b67..7e38208df4ed 100644 --- a/clients/client-ram/src/runtimeConfig.ts +++ b/clients/client-ram/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: RAMClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-rbin/src/runtimeConfig.ts b/clients/client-rbin/src/runtimeConfig.ts index 781906c10344..f48134ae2fa9 100644 --- a/clients/client-rbin/src/runtimeConfig.ts +++ b/clients/client-rbin/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: RbinClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-rds-data/src/runtimeConfig.ts b/clients/client-rds-data/src/runtimeConfig.ts index 3f24edc92520..5382f5a15199 100644 --- a/clients/client-rds-data/src/runtimeConfig.ts +++ b/clients/client-rds-data/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: RDSDataClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-rds/src/runtimeConfig.ts b/clients/client-rds/src/runtimeConfig.ts index 526a75261bf7..508813217945 100644 --- a/clients/client-rds/src/runtimeConfig.ts +++ b/clients/client-rds/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: RDSClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-redshift-data/src/runtimeConfig.ts b/clients/client-redshift-data/src/runtimeConfig.ts index b0c70cae8c08..9fc669ce57a5 100644 --- a/clients/client-redshift-data/src/runtimeConfig.ts +++ b/clients/client-redshift-data/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: RedshiftDataClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-redshift-serverless/src/runtimeConfig.ts b/clients/client-redshift-serverless/src/runtimeConfig.ts index 002ae65be8eb..e4f171f818d6 100644 --- a/clients/client-redshift-serverless/src/runtimeConfig.ts +++ b/clients/client-redshift-serverless/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: RedshiftServerlessClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-redshift/src/runtimeConfig.ts b/clients/client-redshift/src/runtimeConfig.ts index 5f04f8c72c31..b012fc82d7eb 100644 --- a/clients/client-redshift/src/runtimeConfig.ts +++ b/clients/client-redshift/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: RedshiftClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-rekognition/src/runtimeConfig.ts b/clients/client-rekognition/src/runtimeConfig.ts index 81381b92de2c..3567233bada5 100644 --- a/clients/client-rekognition/src/runtimeConfig.ts +++ b/clients/client-rekognition/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: RekognitionClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-rekognitionstreaming/src/runtimeConfig.ts b/clients/client-rekognitionstreaming/src/runtimeConfig.ts index 7d34ed02fa9e..b61230ed09f6 100644 --- a/clients/client-rekognitionstreaming/src/runtimeConfig.ts +++ b/clients/client-rekognitionstreaming/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { eventStreamPayloadHandlerProvider } from "@aws-sdk/eventstream-handler-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; @@ -40,6 +40,8 @@ export const getRuntimeConfig = (config: RekognitionStreamingClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-repostspace/src/runtimeConfig.ts b/clients/client-repostspace/src/runtimeConfig.ts index d7c20b99376a..e050d0e2dd41 100644 --- a/clients/client-repostspace/src/runtimeConfig.ts +++ b/clients/client-repostspace/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: RepostspaceClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-resiliencehub/src/runtimeConfig.ts b/clients/client-resiliencehub/src/runtimeConfig.ts index a4fe9c1c2285..2ef0f0bed40f 100644 --- a/clients/client-resiliencehub/src/runtimeConfig.ts +++ b/clients/client-resiliencehub/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ResiliencehubClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-resource-explorer-2/src/runtimeConfig.ts b/clients/client-resource-explorer-2/src/runtimeConfig.ts index 41b283c263af..3d844a467aba 100644 --- a/clients/client-resource-explorer-2/src/runtimeConfig.ts +++ b/clients/client-resource-explorer-2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ResourceExplorer2ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-resource-groups-tagging-api/src/runtimeConfig.ts b/clients/client-resource-groups-tagging-api/src/runtimeConfig.ts index 44b923ec6855..3341d112a7de 100644 --- a/clients/client-resource-groups-tagging-api/src/runtimeConfig.ts +++ b/clients/client-resource-groups-tagging-api/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ResourceGroupsTaggingAPIClientConfig) = ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-resource-groups/src/runtimeConfig.ts b/clients/client-resource-groups/src/runtimeConfig.ts index ef073de2069b..204dfc17f365 100644 --- a/clients/client-resource-groups/src/runtimeConfig.ts +++ b/clients/client-resource-groups/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ResourceGroupsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-robomaker/src/runtimeConfig.ts b/clients/client-robomaker/src/runtimeConfig.ts index 0ffe788605c7..77766b38e883 100644 --- a/clients/client-robomaker/src/runtimeConfig.ts +++ b/clients/client-robomaker/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: RoboMakerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-rolesanywhere/src/runtimeConfig.ts b/clients/client-rolesanywhere/src/runtimeConfig.ts index 0669252999b1..de710af35504 100644 --- a/clients/client-rolesanywhere/src/runtimeConfig.ts +++ b/clients/client-rolesanywhere/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: RolesAnywhereClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-route-53-domains/src/runtimeConfig.ts b/clients/client-route-53-domains/src/runtimeConfig.ts index f3afb1d3454b..13c79167b8f3 100644 --- a/clients/client-route-53-domains/src/runtimeConfig.ts +++ b/clients/client-route-53-domains/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: Route53DomainsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-route-53/src/runtimeConfig.ts b/clients/client-route-53/src/runtimeConfig.ts index a17bcda011be..0c2db63d2ae9 100644 --- a/clients/client-route-53/src/runtimeConfig.ts +++ b/clients/client-route-53/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: Route53ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-route53-recovery-cluster/src/runtimeConfig.ts b/clients/client-route53-recovery-cluster/src/runtimeConfig.ts index 1a8a2c347f39..b8107ff8b198 100644 --- a/clients/client-route53-recovery-cluster/src/runtimeConfig.ts +++ b/clients/client-route53-recovery-cluster/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: Route53RecoveryClusterClientConfig) => ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-route53-recovery-control-config/src/runtimeConfig.ts b/clients/client-route53-recovery-control-config/src/runtimeConfig.ts index b5dbaa1b2089..c8441e065add 100644 --- a/clients/client-route53-recovery-control-config/src/runtimeConfig.ts +++ b/clients/client-route53-recovery-control-config/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: Route53RecoveryControlConfigClientConfi ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-route53-recovery-readiness/src/runtimeConfig.ts b/clients/client-route53-recovery-readiness/src/runtimeConfig.ts index 61143fd979c0..96d8bda708ae 100644 --- a/clients/client-route53-recovery-readiness/src/runtimeConfig.ts +++ b/clients/client-route53-recovery-readiness/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: Route53RecoveryReadinessClientConfig) = ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-route53profiles/src/runtimeConfig.ts b/clients/client-route53profiles/src/runtimeConfig.ts index 571e69d32987..8162c1ee4b3a 100644 --- a/clients/client-route53profiles/src/runtimeConfig.ts +++ b/clients/client-route53profiles/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: Route53ProfilesClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-route53resolver/src/runtimeConfig.ts b/clients/client-route53resolver/src/runtimeConfig.ts index 152ff6fd055a..0fad27ec675b 100644 --- a/clients/client-route53resolver/src/runtimeConfig.ts +++ b/clients/client-route53resolver/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: Route53ResolverClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-rum/src/runtimeConfig.ts b/clients/client-rum/src/runtimeConfig.ts index b93f8ec86e1a..4def0d992cbd 100644 --- a/clients/client-rum/src/runtimeConfig.ts +++ b/clients/client-rum/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: RUMClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-s3-control/src/runtimeConfig.ts b/clients/client-s3-control/src/runtimeConfig.ts index be2a34ed0007..9da880678960 100644 --- a/clients/client-s3-control/src/runtimeConfig.ts +++ b/clients/client-s3-control/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -39,6 +39,8 @@ export const getRuntimeConfig = (config: S3ControlClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-s3/src/runtimeConfig.ts b/clients/client-s3/src/runtimeConfig.ts index 6798863166de..d2cb8618b311 100644 --- a/clients/client-s3/src/runtimeConfig.ts +++ b/clients/client-s3/src/runtimeConfig.ts @@ -2,7 +2,11 @@ // @ts-ignore: package.json will be imported from dist folders import packageInfo from "../package.json"; // eslint-disable-line -import { NODE_SIGV4A_CONFIG_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; +import { + NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, + 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 { @@ -47,6 +51,8 @@ export const getRuntimeConfig = (config: S3ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-s3outposts/src/runtimeConfig.ts b/clients/client-s3outposts/src/runtimeConfig.ts index bbb88cb6f57b..04f30231d16e 100644 --- a/clients/client-s3outposts/src/runtimeConfig.ts +++ b/clients/client-s3outposts/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: S3OutpostsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-s3tables/src/runtimeConfig.ts b/clients/client-s3tables/src/runtimeConfig.ts index 6054ef59039c..c7ad9d681bc1 100644 --- a/clients/client-s3tables/src/runtimeConfig.ts +++ b/clients/client-s3tables/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: S3TablesClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-sagemaker-a2i-runtime/src/runtimeConfig.ts b/clients/client-sagemaker-a2i-runtime/src/runtimeConfig.ts index b24fab589ea8..46d8113cc8d2 100644 --- a/clients/client-sagemaker-a2i-runtime/src/runtimeConfig.ts +++ b/clients/client-sagemaker-a2i-runtime/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SageMakerA2IRuntimeClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-sagemaker-edge/src/runtimeConfig.ts b/clients/client-sagemaker-edge/src/runtimeConfig.ts index a97539372234..a21d7ff55c2d 100644 --- a/clients/client-sagemaker-edge/src/runtimeConfig.ts +++ b/clients/client-sagemaker-edge/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SagemakerEdgeClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-sagemaker-featurestore-runtime/src/runtimeConfig.ts b/clients/client-sagemaker-featurestore-runtime/src/runtimeConfig.ts index ba3f5ed9a591..b275cc86b13c 100644 --- a/clients/client-sagemaker-featurestore-runtime/src/runtimeConfig.ts +++ b/clients/client-sagemaker-featurestore-runtime/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SageMakerFeatureStoreRuntimeClientConfi ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-sagemaker-geospatial/src/runtimeConfig.ts b/clients/client-sagemaker-geospatial/src/runtimeConfig.ts index 3eca5c025f09..4185124ba3c7 100644 --- a/clients/client-sagemaker-geospatial/src/runtimeConfig.ts +++ b/clients/client-sagemaker-geospatial/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SageMakerGeospatialClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-sagemaker-metrics/src/runtimeConfig.ts b/clients/client-sagemaker-metrics/src/runtimeConfig.ts index 844e63d12a34..0587cf2aa982 100644 --- a/clients/client-sagemaker-metrics/src/runtimeConfig.ts +++ b/clients/client-sagemaker-metrics/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SageMakerMetricsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-sagemaker-runtime/src/runtimeConfig.ts b/clients/client-sagemaker-runtime/src/runtimeConfig.ts index fe827dffa2cd..33fa7ea86615 100644 --- a/clients/client-sagemaker-runtime/src/runtimeConfig.ts +++ b/clients/client-sagemaker-runtime/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -39,6 +39,8 @@ export const getRuntimeConfig = (config: SageMakerRuntimeClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-sagemaker/src/runtimeConfig.ts b/clients/client-sagemaker/src/runtimeConfig.ts index 581e2219732f..a96121db029a 100644 --- a/clients/client-sagemaker/src/runtimeConfig.ts +++ b/clients/client-sagemaker/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SageMakerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-savingsplans/src/runtimeConfig.ts b/clients/client-savingsplans/src/runtimeConfig.ts index 58afea5d89c9..99489e66dc96 100644 --- a/clients/client-savingsplans/src/runtimeConfig.ts +++ b/clients/client-savingsplans/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SavingsplansClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-scheduler/src/runtimeConfig.ts b/clients/client-scheduler/src/runtimeConfig.ts index 568bdeb48763..7dc398f685af 100644 --- a/clients/client-scheduler/src/runtimeConfig.ts +++ b/clients/client-scheduler/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SchedulerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-schemas/src/runtimeConfig.ts b/clients/client-schemas/src/runtimeConfig.ts index 8ad92b5ecfcb..4b901375f753 100644 --- a/clients/client-schemas/src/runtimeConfig.ts +++ b/clients/client-schemas/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SchemasClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-secrets-manager/src/runtimeConfig.ts b/clients/client-secrets-manager/src/runtimeConfig.ts index 6d3c2e4ff57d..33e8ae32c745 100644 --- a/clients/client-secrets-manager/src/runtimeConfig.ts +++ b/clients/client-secrets-manager/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SecretsManagerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-security-ir/src/runtimeConfig.ts b/clients/client-security-ir/src/runtimeConfig.ts index e947f0938ef7..f4abd6fa019c 100644 --- a/clients/client-security-ir/src/runtimeConfig.ts +++ b/clients/client-security-ir/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SecurityIRClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-securityhub/src/runtimeConfig.ts b/clients/client-securityhub/src/runtimeConfig.ts index 8868c8bfd5b0..5aa0b46fd8a6 100644 --- a/clients/client-securityhub/src/runtimeConfig.ts +++ b/clients/client-securityhub/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SecurityHubClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-securitylake/src/runtimeConfig.ts b/clients/client-securitylake/src/runtimeConfig.ts index 137eb32134dc..aa9191dae8ff 100644 --- a/clients/client-securitylake/src/runtimeConfig.ts +++ b/clients/client-securitylake/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SecurityLakeClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-serverlessapplicationrepository/src/runtimeConfig.ts b/clients/client-serverlessapplicationrepository/src/runtimeConfig.ts index 1702388a02c2..8a18b213af48 100644 --- a/clients/client-serverlessapplicationrepository/src/runtimeConfig.ts +++ b/clients/client-serverlessapplicationrepository/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ServerlessApplicationRepositoryClientCo ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-service-catalog-appregistry/src/runtimeConfig.ts b/clients/client-service-catalog-appregistry/src/runtimeConfig.ts index 2af2b2e456f0..c40710effabb 100644 --- a/clients/client-service-catalog-appregistry/src/runtimeConfig.ts +++ b/clients/client-service-catalog-appregistry/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ServiceCatalogAppRegistryClientConfig) ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-service-catalog/src/runtimeConfig.ts b/clients/client-service-catalog/src/runtimeConfig.ts index d13fab34c21e..7f2835d8c33c 100644 --- a/clients/client-service-catalog/src/runtimeConfig.ts +++ b/clients/client-service-catalog/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ServiceCatalogClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-service-quotas/src/runtimeConfig.ts b/clients/client-service-quotas/src/runtimeConfig.ts index 727d59473210..82eb1d299aba 100644 --- a/clients/client-service-quotas/src/runtimeConfig.ts +++ b/clients/client-service-quotas/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ServiceQuotasClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-servicediscovery/src/runtimeConfig.ts b/clients/client-servicediscovery/src/runtimeConfig.ts index 61e1ab0e141f..f5b595953590 100644 --- a/clients/client-servicediscovery/src/runtimeConfig.ts +++ b/clients/client-servicediscovery/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ServiceDiscoveryClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-ses/src/runtimeConfig.ts b/clients/client-ses/src/runtimeConfig.ts index be902177c72b..a5583ffd1c50 100644 --- a/clients/client-ses/src/runtimeConfig.ts +++ b/clients/client-ses/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SESClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-sesv2/src/runtimeConfig.ts b/clients/client-sesv2/src/runtimeConfig.ts index 54283efcaacd..72f6b179b437 100644 --- a/clients/client-sesv2/src/runtimeConfig.ts +++ b/clients/client-sesv2/src/runtimeConfig.ts @@ -2,7 +2,11 @@ // @ts-ignore: package.json will be imported from dist folders import packageInfo from "../package.json"; // eslint-disable-line -import { NODE_SIGV4A_CONFIG_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; +import { + NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, + NODE_SIGV4A_CONFIG_OPTIONS, + emitWarningIfUnsupportedVersion as awsCheckVersion, +} from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +42,8 @@ export const getRuntimeConfig = (config: SESv2ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-sfn/src/runtimeConfig.ts b/clients/client-sfn/src/runtimeConfig.ts index 67982392db90..048d440304c5 100644 --- a/clients/client-sfn/src/runtimeConfig.ts +++ b/clients/client-sfn/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SFNClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-shield/src/runtimeConfig.ts b/clients/client-shield/src/runtimeConfig.ts index ab4b3f42f46d..493b0effeb8f 100644 --- a/clients/client-shield/src/runtimeConfig.ts +++ b/clients/client-shield/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: ShieldClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-signer/src/runtimeConfig.ts b/clients/client-signer/src/runtimeConfig.ts index 0b435df410b3..3bf1ee75efe9 100644 --- a/clients/client-signer/src/runtimeConfig.ts +++ b/clients/client-signer/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SignerClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-simspaceweaver/src/runtimeConfig.ts b/clients/client-simspaceweaver/src/runtimeConfig.ts index 6d31a2f15ef2..21466ac3adb3 100644 --- a/clients/client-simspaceweaver/src/runtimeConfig.ts +++ b/clients/client-simspaceweaver/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SimSpaceWeaverClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-sms/src/runtimeConfig.ts b/clients/client-sms/src/runtimeConfig.ts index bcef0835c3cf..fcda945128c7 100644 --- a/clients/client-sms/src/runtimeConfig.ts +++ b/clients/client-sms/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SMSClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-snow-device-management/src/runtimeConfig.ts b/clients/client-snow-device-management/src/runtimeConfig.ts index d1ca304b80c9..5423a5d9b5ca 100644 --- a/clients/client-snow-device-management/src/runtimeConfig.ts +++ b/clients/client-snow-device-management/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SnowDeviceManagementClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-snowball/src/runtimeConfig.ts b/clients/client-snowball/src/runtimeConfig.ts index 2ced6350ebe7..5c3fab5ce633 100644 --- a/clients/client-snowball/src/runtimeConfig.ts +++ b/clients/client-snowball/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SnowballClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-sns/src/runtimeConfig.ts b/clients/client-sns/src/runtimeConfig.ts index 157dbefd4bed..d787f076da09 100644 --- a/clients/client-sns/src/runtimeConfig.ts +++ b/clients/client-sns/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SNSClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-socialmessaging/src/runtimeConfig.ts b/clients/client-socialmessaging/src/runtimeConfig.ts index 8ff042fdef3a..bc466d8edc26 100644 --- a/clients/client-socialmessaging/src/runtimeConfig.ts +++ b/clients/client-socialmessaging/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SocialMessagingClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-sqs/src/runtimeConfig.ts b/clients/client-sqs/src/runtimeConfig.ts index 165e4c40ddaf..a3fea903bd1c 100644 --- a/clients/client-sqs/src/runtimeConfig.ts +++ b/clients/client-sqs/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -39,6 +39,8 @@ export const getRuntimeConfig = (config: SQSClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-ssm-contacts/src/runtimeConfig.ts b/clients/client-ssm-contacts/src/runtimeConfig.ts index 49d7168e4b36..90d7d82ebf12 100644 --- a/clients/client-ssm-contacts/src/runtimeConfig.ts +++ b/clients/client-ssm-contacts/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SSMContactsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-ssm-incidents/src/runtimeConfig.ts b/clients/client-ssm-incidents/src/runtimeConfig.ts index 7efcc8d80114..fbaccfac2177 100644 --- a/clients/client-ssm-incidents/src/runtimeConfig.ts +++ b/clients/client-ssm-incidents/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SSMIncidentsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-ssm-quicksetup/src/runtimeConfig.ts b/clients/client-ssm-quicksetup/src/runtimeConfig.ts index 4e90b6e31f2b..2cee84acc462 100644 --- a/clients/client-ssm-quicksetup/src/runtimeConfig.ts +++ b/clients/client-ssm-quicksetup/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SSMQuickSetupClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-ssm-sap/src/runtimeConfig.ts b/clients/client-ssm-sap/src/runtimeConfig.ts index 6212128897de..b01d6f13f8ff 100644 --- a/clients/client-ssm-sap/src/runtimeConfig.ts +++ b/clients/client-ssm-sap/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SsmSapClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-ssm/src/runtimeConfig.ts b/clients/client-ssm/src/runtimeConfig.ts index 6e18dcdad039..abf3adbb9687 100644 --- a/clients/client-ssm/src/runtimeConfig.ts +++ b/clients/client-ssm/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SSMClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-sso-admin/src/runtimeConfig.ts b/clients/client-sso-admin/src/runtimeConfig.ts index 611eaed82f83..4e8fb8c9d3d3 100644 --- a/clients/client-sso-admin/src/runtimeConfig.ts +++ b/clients/client-sso-admin/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SSOAdminClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-sso-oidc/src/runtimeConfig.ts b/clients/client-sso-oidc/src/runtimeConfig.ts index 30c9d5d16556..1e59d3b1bb0e 100644 --- a/clients/client-sso-oidc/src/runtimeConfig.ts +++ b/clients/client-sso-oidc/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SSOOIDCClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-sso/src/runtimeConfig.ts b/clients/client-sso/src/runtimeConfig.ts index e06676755a0e..287d56c06471 100644 --- a/clients/client-sso/src/runtimeConfig.ts +++ b/clients/client-sso/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { NODE_REGION_CONFIG_FILE_OPTIONS, @@ -37,6 +37,8 @@ export const getRuntimeConfig = (config: SSOClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, defaultUserAgentProvider: config?.defaultUserAgentProvider ?? diff --git a/clients/client-storage-gateway/src/runtimeConfig.ts b/clients/client-storage-gateway/src/runtimeConfig.ts index d98fac594ca2..fd844f7dbc87 100644 --- a/clients/client-storage-gateway/src/runtimeConfig.ts +++ b/clients/client-storage-gateway/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: StorageGatewayClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-sts/src/runtimeConfig.ts b/clients/client-sts/src/runtimeConfig.ts index ac32e4bde481..342ae8954c3e 100644 --- a/clients/client-sts/src/runtimeConfig.ts +++ b/clients/client-sts/src/runtimeConfig.ts @@ -2,7 +2,11 @@ // @ts-ignore: package.json will be imported from dist folders import packageInfo from "../package.json"; // eslint-disable-line -import { AwsSdkSigV4Signer, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; +import { + AwsSdkSigV4Signer, + NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, + emitWarningIfUnsupportedVersion as awsCheckVersion, +} from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -40,6 +44,8 @@ export const getRuntimeConfig = (config: STSClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-supplychain/src/runtimeConfig.ts b/clients/client-supplychain/src/runtimeConfig.ts index a48f03653e57..e0c4e99497ca 100644 --- a/clients/client-supplychain/src/runtimeConfig.ts +++ b/clients/client-supplychain/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SupplyChainClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-support-app/src/runtimeConfig.ts b/clients/client-support-app/src/runtimeConfig.ts index 2b8bc214b62c..374ffc2618a3 100644 --- a/clients/client-support-app/src/runtimeConfig.ts +++ b/clients/client-support-app/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SupportAppClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-support/src/runtimeConfig.ts b/clients/client-support/src/runtimeConfig.ts index 24556b95f954..711657b0efab 100644 --- a/clients/client-support/src/runtimeConfig.ts +++ b/clients/client-support/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SupportClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-swf/src/runtimeConfig.ts b/clients/client-swf/src/runtimeConfig.ts index 73f9c163611f..66398201b3fc 100644 --- a/clients/client-swf/src/runtimeConfig.ts +++ b/clients/client-swf/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SWFClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-synthetics/src/runtimeConfig.ts b/clients/client-synthetics/src/runtimeConfig.ts index a84381ce214f..1ef3d1c16ea0 100644 --- a/clients/client-synthetics/src/runtimeConfig.ts +++ b/clients/client-synthetics/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: SyntheticsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-taxsettings/src/runtimeConfig.ts b/clients/client-taxsettings/src/runtimeConfig.ts index d01d41c3f495..9ee19c5911ee 100644 --- a/clients/client-taxsettings/src/runtimeConfig.ts +++ b/clients/client-taxsettings/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: TaxSettingsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-textract/src/runtimeConfig.ts b/clients/client-textract/src/runtimeConfig.ts index 547d57a9fcca..3262929248f6 100644 --- a/clients/client-textract/src/runtimeConfig.ts +++ b/clients/client-textract/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: TextractClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-timestream-influxdb/src/runtimeConfig.ts b/clients/client-timestream-influxdb/src/runtimeConfig.ts index d4ccc14dfc0a..b0e864cf3710 100644 --- a/clients/client-timestream-influxdb/src/runtimeConfig.ts +++ b/clients/client-timestream-influxdb/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: TimestreamInfluxDBClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-timestream-query/src/runtimeConfig.ts b/clients/client-timestream-query/src/runtimeConfig.ts index 8dacaaf2478f..dc26af8e26c7 100644 --- a/clients/client-timestream-query/src/runtimeConfig.ts +++ b/clients/client-timestream-query/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_ENDPOINT_DISCOVERY_CONFIG_OPTIONS } from "@aws-sdk/middleware-endpoint-discovery"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; @@ -39,6 +39,8 @@ export const getRuntimeConfig = (config: TimestreamQueryClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-timestream-write/src/runtimeConfig.ts b/clients/client-timestream-write/src/runtimeConfig.ts index 533642092ba9..608217b4a3d5 100644 --- a/clients/client-timestream-write/src/runtimeConfig.ts +++ b/clients/client-timestream-write/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_ENDPOINT_DISCOVERY_CONFIG_OPTIONS } from "@aws-sdk/middleware-endpoint-discovery"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; @@ -39,6 +39,8 @@ export const getRuntimeConfig = (config: TimestreamWriteClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-tnb/src/runtimeConfig.ts b/clients/client-tnb/src/runtimeConfig.ts index ccf9eb318f1d..6ef134e0bf3c 100644 --- a/clients/client-tnb/src/runtimeConfig.ts +++ b/clients/client-tnb/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: TnbClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-transcribe-streaming/src/runtimeConfig.ts b/clients/client-transcribe-streaming/src/runtimeConfig.ts index 84590fd67ce8..be67ab9af9ad 100644 --- a/clients/client-transcribe-streaming/src/runtimeConfig.ts +++ b/clients/client-transcribe-streaming/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { eventStreamPayloadHandlerProvider } from "@aws-sdk/eventstream-handler-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; @@ -40,6 +40,8 @@ export const getRuntimeConfig = (config: TranscribeStreamingClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-transcribe/src/runtimeConfig.ts b/clients/client-transcribe/src/runtimeConfig.ts index ccdd39f7a05b..959d6aa85b10 100644 --- a/clients/client-transcribe/src/runtimeConfig.ts +++ b/clients/client-transcribe/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: TranscribeClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-transfer/src/runtimeConfig.ts b/clients/client-transfer/src/runtimeConfig.ts index 1f55ce5e6219..794e4cb8929b 100644 --- a/clients/client-transfer/src/runtimeConfig.ts +++ b/clients/client-transfer/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: TransferClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-translate/src/runtimeConfig.ts b/clients/client-translate/src/runtimeConfig.ts index fabf88b89a0a..9dc3be7798bb 100644 --- a/clients/client-translate/src/runtimeConfig.ts +++ b/clients/client-translate/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: TranslateClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-trustedadvisor/src/runtimeConfig.ts b/clients/client-trustedadvisor/src/runtimeConfig.ts index cfae65e97f37..5c0093876026 100644 --- a/clients/client-trustedadvisor/src/runtimeConfig.ts +++ b/clients/client-trustedadvisor/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: TrustedAdvisorClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-verifiedpermissions/src/runtimeConfig.ts b/clients/client-verifiedpermissions/src/runtimeConfig.ts index 7d89be182a8c..1ae22b936d23 100644 --- a/clients/client-verifiedpermissions/src/runtimeConfig.ts +++ b/clients/client-verifiedpermissions/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: VerifiedPermissionsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-voice-id/src/runtimeConfig.ts b/clients/client-voice-id/src/runtimeConfig.ts index 8baad8495653..682164f0a4ae 100644 --- a/clients/client-voice-id/src/runtimeConfig.ts +++ b/clients/client-voice-id/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: VoiceIDClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-vpc-lattice/src/runtimeConfig.ts b/clients/client-vpc-lattice/src/runtimeConfig.ts index fd63ef7a960d..6d5fde66b3f0 100644 --- a/clients/client-vpc-lattice/src/runtimeConfig.ts +++ b/clients/client-vpc-lattice/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: VPCLatticeClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-waf-regional/src/runtimeConfig.ts b/clients/client-waf-regional/src/runtimeConfig.ts index b5cf54402bcb..898d6b5277fb 100644 --- a/clients/client-waf-regional/src/runtimeConfig.ts +++ b/clients/client-waf-regional/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: WAFRegionalClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-waf/src/runtimeConfig.ts b/clients/client-waf/src/runtimeConfig.ts index 7b0bd3764240..6a759429d1d2 100644 --- a/clients/client-waf/src/runtimeConfig.ts +++ b/clients/client-waf/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: WAFClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-wafv2/src/runtimeConfig.ts b/clients/client-wafv2/src/runtimeConfig.ts index bed9e7b42efa..6a910651c4f8 100644 --- a/clients/client-wafv2/src/runtimeConfig.ts +++ b/clients/client-wafv2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: WAFV2ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-wellarchitected/src/runtimeConfig.ts b/clients/client-wellarchitected/src/runtimeConfig.ts index f132d6570b93..002017b67fe7 100644 --- a/clients/client-wellarchitected/src/runtimeConfig.ts +++ b/clients/client-wellarchitected/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: WellArchitectedClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-wisdom/src/runtimeConfig.ts b/clients/client-wisdom/src/runtimeConfig.ts index f1b3eb0cf0c6..4a2b6eb51c4c 100644 --- a/clients/client-wisdom/src/runtimeConfig.ts +++ b/clients/client-wisdom/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: WisdomClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-workdocs/src/runtimeConfig.ts b/clients/client-workdocs/src/runtimeConfig.ts index 5c87f601c8c9..ab8a91d43c2c 100644 --- a/clients/client-workdocs/src/runtimeConfig.ts +++ b/clients/client-workdocs/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: WorkDocsClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-workmail/src/runtimeConfig.ts b/clients/client-workmail/src/runtimeConfig.ts index d58afe9b29f6..a493e312d18c 100644 --- a/clients/client-workmail/src/runtimeConfig.ts +++ b/clients/client-workmail/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: WorkMailClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-workmailmessageflow/src/runtimeConfig.ts b/clients/client-workmailmessageflow/src/runtimeConfig.ts index 878a1f2051a5..73d4f7381772 100644 --- a/clients/client-workmailmessageflow/src/runtimeConfig.ts +++ b/clients/client-workmailmessageflow/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: WorkMailMessageFlowClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-workspaces-thin-client/src/runtimeConfig.ts b/clients/client-workspaces-thin-client/src/runtimeConfig.ts index 0c829df0cbc3..9b7056a2f374 100644 --- a/clients/client-workspaces-thin-client/src/runtimeConfig.ts +++ b/clients/client-workspaces-thin-client/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: WorkSpacesThinClientClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-workspaces-web/src/runtimeConfig.ts b/clients/client-workspaces-web/src/runtimeConfig.ts index a2beb266e8a2..c916b6a70760 100644 --- a/clients/client-workspaces-web/src/runtimeConfig.ts +++ b/clients/client-workspaces-web/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: WorkSpacesWebClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-workspaces/src/runtimeConfig.ts b/clients/client-workspaces/src/runtimeConfig.ts index 1bbef8515c03..11c012c8c23f 100644 --- a/clients/client-workspaces/src/runtimeConfig.ts +++ b/clients/client-workspaces/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: WorkSpacesClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/clients/client-xray/src/runtimeConfig.ts b/clients/client-xray/src/runtimeConfig.ts index 8debf61f8f57..755a1c573a4b 100644 --- a/clients/client-xray/src/runtimeConfig.ts +++ b/clients/client-xray/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: XRayClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/AddAwsRuntimeConfig.java b/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/AddAwsRuntimeConfig.java index 7b9131eae09b..662b4a8e8004 100644 --- a/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/AddAwsRuntimeConfig.java +++ b/codegen/smithy-aws-typescript-codegen/src/main/java/software/amazon/smithy/aws/typescript/codegen/AddAwsRuntimeConfig.java @@ -185,7 +185,8 @@ private Map> getDefaultConfig( writer.write("invalidProvider(\"Region is missing\")"); }); case NODE: - return MapUtils.of("region", writer -> { + Map> nodeConfig = new HashMap<>(); + nodeConfig.put("region", writer -> { writer.addDependency(TypeScriptDependency.NODE_CONFIG_PROVIDER); writer.addImport("loadConfig", "loadNodeConfig", TypeScriptDependency.NODE_CONFIG_PROVIDER); @@ -203,6 +204,16 @@ private Map> getDefaultConfig( """ ); }); + if (!settings.useLegacyAuth()) { + nodeConfig.put("authSchemePreference", writer -> { + writer.addImport("loadConfig", "loadNodeConfig", + TypeScriptDependency.NODE_CONFIG_PROVIDER); + writer.addImport("NODE_AUTH_SCHEME_PREFERENCE_OPTIONS", null, + AwsDependency.AWS_SDK_CORE); + writer.write("loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig)"); + }); + } + return nodeConfig; default: return Collections.emptyMap(); } diff --git a/packages/nested-clients/src/submodules/sso-oidc/runtimeConfig.ts b/packages/nested-clients/src/submodules/sso-oidc/runtimeConfig.ts index e4952ff80b54..3d9469cdc961 100644 --- a/packages/nested-clients/src/submodules/sso-oidc/runtimeConfig.ts +++ b/packages/nested-clients/src/submodules/sso-oidc/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { NODE_REGION_CONFIG_FILE_OPTIONS, @@ -37,6 +37,8 @@ export const getRuntimeConfig = (config: SSOOIDCClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, defaultUserAgentProvider: config?.defaultUserAgentProvider ?? diff --git a/packages/nested-clients/src/submodules/sts/runtimeConfig.ts b/packages/nested-clients/src/submodules/sts/runtimeConfig.ts index d0b2089bf8ff..f36a0f5802cc 100644 --- a/packages/nested-clients/src/submodules/sts/runtimeConfig.ts +++ b/packages/nested-clients/src/submodules/sts/runtimeConfig.ts @@ -2,7 +2,11 @@ // @ts-ignore: package.json will be imported from dist folders import packageInfo from "../../../package.json"; // eslint-disable-line -import { AwsSdkSigV4Signer, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; +import { + AwsSdkSigV4Signer, + NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, + emitWarningIfUnsupportedVersion as awsCheckVersion, +} from "@aws-sdk/core"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -40,6 +44,8 @@ export const getRuntimeConfig = (config: STSClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, defaultUserAgentProvider: diff --git a/private/aws-protocoltests-ec2/src/runtimeConfig.ts b/private/aws-protocoltests-ec2/src/runtimeConfig.ts index 93398940a969..8bcb7f402629 100644 --- a/private/aws-protocoltests-ec2/src/runtimeConfig.ts +++ b/private/aws-protocoltests-ec2/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -42,6 +42,8 @@ export const getRuntimeConfig = (config: EC2ProtocolClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/private/aws-protocoltests-json-10/src/runtimeConfig.ts b/private/aws-protocoltests-json-10/src/runtimeConfig.ts index 64d547194dd5..e508fa6347f5 100644 --- a/private/aws-protocoltests-json-10/src/runtimeConfig.ts +++ b/private/aws-protocoltests-json-10/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -42,6 +42,8 @@ export const getRuntimeConfig = (config: JSONRPC10ClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/private/aws-protocoltests-json-machinelearning/src/runtimeConfig.ts b/private/aws-protocoltests-json-machinelearning/src/runtimeConfig.ts index faa80f3834e0..bf27df975d61 100644 --- a/private/aws-protocoltests-json-machinelearning/src/runtimeConfig.ts +++ b/private/aws-protocoltests-json-machinelearning/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: MachineLearningClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/private/aws-protocoltests-json/src/runtimeConfig.ts b/private/aws-protocoltests-json/src/runtimeConfig.ts index df003b0234d7..077b5b9f799a 100644 --- a/private/aws-protocoltests-json/src/runtimeConfig.ts +++ b/private/aws-protocoltests-json/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -42,6 +42,8 @@ export const getRuntimeConfig = (config: JsonProtocolClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/private/aws-protocoltests-query/src/runtimeConfig.ts b/private/aws-protocoltests-query/src/runtimeConfig.ts index b4a3f95cd306..7f00aa97fb24 100644 --- a/private/aws-protocoltests-query/src/runtimeConfig.ts +++ b/private/aws-protocoltests-query/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -42,6 +42,8 @@ export const getRuntimeConfig = (config: QueryProtocolClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/private/aws-protocoltests-restjson-apigateway/src/runtimeConfig.ts b/private/aws-protocoltests-restjson-apigateway/src/runtimeConfig.ts index 933c6cd88012..bb3188a7f0ea 100644 --- a/private/aws-protocoltests-restjson-apigateway/src/runtimeConfig.ts +++ b/private/aws-protocoltests-restjson-apigateway/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -38,6 +38,8 @@ export const getRuntimeConfig = (config: APIGatewayClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/private/aws-protocoltests-restjson-glacier/src/runtimeConfig.ts b/private/aws-protocoltests-restjson-glacier/src/runtimeConfig.ts index 084d022b65bf..400a3050f53b 100644 --- a/private/aws-protocoltests-restjson-glacier/src/runtimeConfig.ts +++ b/private/aws-protocoltests-restjson-glacier/src/runtimeConfig.ts @@ -3,7 +3,7 @@ import packageInfo from "../package.json"; // eslint-disable-line import { bodyChecksumGenerator } from "@aws-sdk/body-checksum-node"; -import { emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; +import { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -39,6 +39,8 @@ export const getRuntimeConfig = (config: GlacierClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyChecksumGenerator: config?.bodyChecksumGenerator ?? bodyChecksumGenerator, bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, diff --git a/private/aws-protocoltests-restjson/src/runtimeConfig.ts b/private/aws-protocoltests-restjson/src/runtimeConfig.ts index 59920d6ee44f..90ad7cf7d1e1 100644 --- a/private/aws-protocoltests-restjson/src/runtimeConfig.ts +++ b/private/aws-protocoltests-restjson/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -43,6 +43,8 @@ export const getRuntimeConfig = (config: RestJsonProtocolClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/private/aws-protocoltests-restxml/src/runtimeConfig.ts b/private/aws-protocoltests-restxml/src/runtimeConfig.ts index a9165ff2b007..7e372cadc3f3 100644 --- a/private/aws-protocoltests-restxml/src/runtimeConfig.ts +++ b/private/aws-protocoltests-restxml/src/runtimeConfig.ts @@ -2,7 +2,7 @@ // @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 { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { @@ -42,6 +42,8 @@ export const getRuntimeConfig = (config: RestXmlProtocolClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, defaultUserAgentProvider: diff --git a/private/weather/src/runtimeConfig.ts b/private/weather/src/runtimeConfig.ts index 29b0b16b69b2..eae5ed90e5a3 100644 --- a/private/weather/src/runtimeConfig.ts +++ b/private/weather/src/runtimeConfig.ts @@ -2,6 +2,7 @@ // @ts-ignore: package.json will be imported from dist folders import packageInfo from "../package.json"; // eslint-disable-line +import { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS } from "@aws-sdk/core"; import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } from "@aws-sdk/util-user-agent-node"; import { NODE_REGION_CONFIG_FILE_OPTIONS, NODE_REGION_CONFIG_OPTIONS } from "@smithy/config-resolver"; @@ -31,6 +32,8 @@ export const getRuntimeConfig = (config: WeatherClientConfig) => { ...config, runtime: "node", defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, credentials: config?.credentials ?? credentialDefaultProvider(), defaultUserAgentProvider: From ac4a855e23375ecd87ae8d9e1cafb6c168e526ed Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 29 Apr 2025 18:10:01 +0000 Subject: [PATCH 03/12] feat(client-ssm): This release adds support for just-In-time node access in AWS Systems Manager. Just-in-time node access enables customers to move towards zero standing privileges by requiring operators to request access and obtain approval before remotely connecting to nodes managed by the SSM Agent. --- clients/client-ssm/README.md | 16 + clients/client-ssm/src/SSM.ts | 43 ++ clients/client-ssm/src/SSMClient.ts | 6 + .../src/commands/CreateDocumentCommand.ts | 4 +- .../DescribeAutomationExecutionsCommand.ts | 2 +- .../src/commands/DescribeDocumentCommand.ts | 2 +- ...escribeMaintenanceWindowScheduleCommand.ts | 3 +- .../src/commands/DescribeOpsItemsCommand.ts | 4 +- .../src/commands/GetAccessTokenCommand.ts | 119 ++++ .../commands/GetAutomationExecutionCommand.ts | 2 +- .../src/commands/GetDocumentCommand.ts | 2 +- .../src/commands/GetOpsItemCommand.ts | 2 +- .../src/commands/ListDocumentsCommand.ts | 2 +- ...isterTargetWithMaintenanceWindowCommand.ts | 2 +- ...egisterTaskWithMaintenanceWindowCommand.ts | 2 +- .../commands/RemoveTagsFromResourceCommand.ts | 2 +- .../commands/SendAutomationSignalCommand.ts | 2 +- .../src/commands/StartAccessRequestCommand.ts | 126 ++++ .../src/commands/UpdateDocumentCommand.ts | 2 +- .../src/commands/UpdateOpsItemCommand.ts | 2 +- clients/client-ssm/src/commands/index.ts | 2 + clients/client-ssm/src/models/models_0.ts | 102 ++- clients/client-ssm/src/models/models_1.ts | 612 ++++++------------ clients/client-ssm/src/models/models_2.ts | 517 ++++++++++++++- .../client-ssm/src/protocols/Aws_json1_1.ts | 181 +++++- codegen/sdk-codegen/aws-models/ssm.json | 415 ++++++++++++ 26 files changed, 1656 insertions(+), 518 deletions(-) create mode 100644 clients/client-ssm/src/commands/GetAccessTokenCommand.ts create mode 100644 clients/client-ssm/src/commands/StartAccessRequestCommand.ts diff --git a/clients/client-ssm/README.md b/clients/client-ssm/README.md index 48694ecc4501..91d66c60b6ed 100644 --- a/clients/client-ssm/README.md +++ b/clients/client-ssm/README.md @@ -742,6 +742,14 @@ DisassociateOpsItemRelatedItem [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/ssm/command/DisassociateOpsItemRelatedItemCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-ssm/Interface/DisassociateOpsItemRelatedItemCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-ssm/Interface/DisassociateOpsItemRelatedItemCommandOutput/) + +
+ +GetAccessToken + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/ssm/command/GetAccessTokenCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-ssm/Interface/GetAccessTokenCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-ssm/Interface/GetAccessTokenCommandOutput/) +
@@ -1214,6 +1222,14 @@ SendCommand [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/ssm/command/SendCommandCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-ssm/Interface/SendCommandCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-ssm/Interface/SendCommandCommandOutput/) +
+
+ +StartAccessRequest + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/ssm/command/StartAccessRequestCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-ssm/Interface/StartAccessRequestCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-ssm/Interface/StartAccessRequestCommandOutput/) +
diff --git a/clients/client-ssm/src/SSM.ts b/clients/client-ssm/src/SSM.ts index a344c6b6b618..0280f8ee298b 100644 --- a/clients/client-ssm/src/SSM.ts +++ b/clients/client-ssm/src/SSM.ts @@ -317,6 +317,11 @@ import { DisassociateOpsItemRelatedItemCommandInput, DisassociateOpsItemRelatedItemCommandOutput, } from "./commands/DisassociateOpsItemRelatedItemCommand"; +import { + GetAccessTokenCommand, + GetAccessTokenCommandInput, + GetAccessTokenCommandOutput, +} from "./commands/GetAccessTokenCommand"; import { GetAutomationExecutionCommand, GetAutomationExecutionCommandInput, @@ -596,6 +601,11 @@ import { SendAutomationSignalCommandOutput, } from "./commands/SendAutomationSignalCommand"; import { SendCommandCommand, SendCommandCommandInput, SendCommandCommandOutput } from "./commands/SendCommandCommand"; +import { + StartAccessRequestCommand, + StartAccessRequestCommandInput, + StartAccessRequestCommandOutput, +} from "./commands/StartAccessRequestCommand"; import { StartAssociationsOnceCommand, StartAssociationsOnceCommandInput, @@ -772,6 +782,7 @@ const commands = { DescribePatchPropertiesCommand, DescribeSessionsCommand, DisassociateOpsItemRelatedItemCommand, + GetAccessTokenCommand, GetAutomationExecutionCommand, GetCalendarStateCommand, GetCommandInvocationCommand, @@ -831,6 +842,7 @@ const commands = { ResumeSessionCommand, SendAutomationSignalCommand, SendCommandCommand, + StartAccessRequestCommand, StartAssociationsOnceCommand, StartAutomationExecutionCommand, StartChangeRequestExecutionCommand, @@ -1911,6 +1923,20 @@ export interface SSM { cb: (err: any, data?: DisassociateOpsItemRelatedItemCommandOutput) => void ): void; + /** + * @see {@link GetAccessTokenCommand} + */ + getAccessToken( + args: GetAccessTokenCommandInput, + options?: __HttpHandlerOptions + ): Promise; + getAccessToken(args: GetAccessTokenCommandInput, cb: (err: any, data?: GetAccessTokenCommandOutput) => void): void; + getAccessToken( + args: GetAccessTokenCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: GetAccessTokenCommandOutput) => void + ): void; + /** * @see {@link GetAutomationExecutionCommand} */ @@ -2846,6 +2872,23 @@ export interface SSM { cb: (err: any, data?: SendCommandCommandOutput) => void ): void; + /** + * @see {@link StartAccessRequestCommand} + */ + startAccessRequest( + args: StartAccessRequestCommandInput, + options?: __HttpHandlerOptions + ): Promise; + startAccessRequest( + args: StartAccessRequestCommandInput, + cb: (err: any, data?: StartAccessRequestCommandOutput) => void + ): void; + startAccessRequest( + args: StartAccessRequestCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: StartAccessRequestCommandOutput) => void + ): void; + /** * @see {@link StartAssociationsOnceCommand} */ diff --git a/clients/client-ssm/src/SSMClient.ts b/clients/client-ssm/src/SSMClient.ts index eca27a63bcc8..5222df76fa29 100644 --- a/clients/client-ssm/src/SSMClient.ts +++ b/clients/client-ssm/src/SSMClient.ts @@ -248,6 +248,7 @@ import { DisassociateOpsItemRelatedItemCommandInput, DisassociateOpsItemRelatedItemCommandOutput, } from "./commands/DisassociateOpsItemRelatedItemCommand"; +import { GetAccessTokenCommandInput, GetAccessTokenCommandOutput } from "./commands/GetAccessTokenCommand"; import { GetAutomationExecutionCommandInput, GetAutomationExecutionCommandOutput, @@ -412,6 +413,7 @@ import { SendAutomationSignalCommandOutput, } from "./commands/SendAutomationSignalCommand"; import { SendCommandCommandInput, SendCommandCommandOutput } from "./commands/SendCommandCommand"; +import { StartAccessRequestCommandInput, StartAccessRequestCommandOutput } from "./commands/StartAccessRequestCommand"; import { StartAssociationsOnceCommandInput, StartAssociationsOnceCommandOutput, @@ -560,6 +562,7 @@ export type ServiceInputTypes = | DescribePatchPropertiesCommandInput | DescribeSessionsCommandInput | DisassociateOpsItemRelatedItemCommandInput + | GetAccessTokenCommandInput | GetAutomationExecutionCommandInput | GetCalendarStateCommandInput | GetCommandInvocationCommandInput @@ -619,6 +622,7 @@ export type ServiceInputTypes = | ResumeSessionCommandInput | SendAutomationSignalCommandInput | SendCommandCommandInput + | StartAccessRequestCommandInput | StartAssociationsOnceCommandInput | StartAutomationExecutionCommandInput | StartChangeRequestExecutionCommandInput @@ -709,6 +713,7 @@ export type ServiceOutputTypes = | DescribePatchPropertiesCommandOutput | DescribeSessionsCommandOutput | DisassociateOpsItemRelatedItemCommandOutput + | GetAccessTokenCommandOutput | GetAutomationExecutionCommandOutput | GetCalendarStateCommandOutput | GetCommandInvocationCommandOutput @@ -768,6 +773,7 @@ export type ServiceOutputTypes = | ResumeSessionCommandOutput | SendAutomationSignalCommandOutput | SendCommandCommandOutput + | StartAccessRequestCommandOutput | StartAssociationsOnceCommandOutput | StartAutomationExecutionCommandOutput | StartChangeRequestExecutionCommandOutput diff --git a/clients/client-ssm/src/commands/CreateDocumentCommand.ts b/clients/client-ssm/src/commands/CreateDocumentCommand.ts index 9a309bb6b0f9..6d31b95fa2f7 100644 --- a/clients/client-ssm/src/commands/CreateDocumentCommand.ts +++ b/clients/client-ssm/src/commands/CreateDocumentCommand.ts @@ -60,7 +60,7 @@ export interface CreateDocumentCommandOutput extends CreateDocumentResult, __Met * Name: "STRING_VALUE", // required * DisplayName: "STRING_VALUE", * VersionName: "STRING_VALUE", - * DocumentType: "Command" || "Policy" || "Automation" || "Session" || "Package" || "ApplicationConfiguration" || "ApplicationConfigurationSchema" || "DeploymentStrategy" || "ChangeCalendar" || "Automation.ChangeTemplate" || "ProblemAnalysis" || "ProblemAnalysisTemplate" || "CloudFormation" || "ConformancePackTemplate" || "QuickSetup", + * DocumentType: "Command" || "Policy" || "Automation" || "Session" || "Package" || "ApplicationConfiguration" || "ApplicationConfigurationSchema" || "DeploymentStrategy" || "ChangeCalendar" || "Automation.ChangeTemplate" || "ProblemAnalysis" || "ProblemAnalysisTemplate" || "CloudFormation" || "ConformancePackTemplate" || "QuickSetup" || "ManualApprovalPolicy" || "AutoApprovalPolicy", * DocumentFormat: "YAML" || "JSON" || "TEXT", * TargetType: "STRING_VALUE", * Tags: [ // TagList @@ -97,7 +97,7 @@ export interface CreateDocumentCommandOutput extends CreateDocumentResult, __Met * // PlatformTypes: [ // PlatformTypeList * // "Windows" || "Linux" || "MacOS", * // ], - * // DocumentType: "Command" || "Policy" || "Automation" || "Session" || "Package" || "ApplicationConfiguration" || "ApplicationConfigurationSchema" || "DeploymentStrategy" || "ChangeCalendar" || "Automation.ChangeTemplate" || "ProblemAnalysis" || "ProblemAnalysisTemplate" || "CloudFormation" || "ConformancePackTemplate" || "QuickSetup", + * // DocumentType: "Command" || "Policy" || "Automation" || "Session" || "Package" || "ApplicationConfiguration" || "ApplicationConfigurationSchema" || "DeploymentStrategy" || "ChangeCalendar" || "Automation.ChangeTemplate" || "ProblemAnalysis" || "ProblemAnalysisTemplate" || "CloudFormation" || "ConformancePackTemplate" || "QuickSetup" || "ManualApprovalPolicy" || "AutoApprovalPolicy", * // SchemaVersion: "STRING_VALUE", * // LatestVersion: "STRING_VALUE", * // DefaultVersion: "STRING_VALUE", diff --git a/clients/client-ssm/src/commands/DescribeAutomationExecutionsCommand.ts b/clients/client-ssm/src/commands/DescribeAutomationExecutionsCommand.ts index 72fd521a8550..9c6f8c66bfb3 100644 --- a/clients/client-ssm/src/commands/DescribeAutomationExecutionsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeAutomationExecutionsCommand.ts @@ -116,7 +116,7 @@ export interface DescribeAutomationExecutionsCommandOutput * // }, * // ], * // TargetLocationsURL: "STRING_VALUE", - * // AutomationSubtype: "ChangeRequest", + * // AutomationSubtype: "ChangeRequest" || "AccessRequest", * // ScheduledTime: new Date("TIMESTAMP"), * // Runbooks: [ // Runbooks * // { // Runbook diff --git a/clients/client-ssm/src/commands/DescribeDocumentCommand.ts b/clients/client-ssm/src/commands/DescribeDocumentCommand.ts index 367bb92e4271..fb828ef216cf 100644 --- a/clients/client-ssm/src/commands/DescribeDocumentCommand.ts +++ b/clients/client-ssm/src/commands/DescribeDocumentCommand.ts @@ -67,7 +67,7 @@ export interface DescribeDocumentCommandOutput extends DescribeDocumentResult, _ * // PlatformTypes: [ // PlatformTypeList * // "Windows" || "Linux" || "MacOS", * // ], - * // DocumentType: "Command" || "Policy" || "Automation" || "Session" || "Package" || "ApplicationConfiguration" || "ApplicationConfigurationSchema" || "DeploymentStrategy" || "ChangeCalendar" || "Automation.ChangeTemplate" || "ProblemAnalysis" || "ProblemAnalysisTemplate" || "CloudFormation" || "ConformancePackTemplate" || "QuickSetup", + * // DocumentType: "Command" || "Policy" || "Automation" || "Session" || "Package" || "ApplicationConfiguration" || "ApplicationConfigurationSchema" || "DeploymentStrategy" || "ChangeCalendar" || "Automation.ChangeTemplate" || "ProblemAnalysis" || "ProblemAnalysisTemplate" || "CloudFormation" || "ConformancePackTemplate" || "QuickSetup" || "ManualApprovalPolicy" || "AutoApprovalPolicy", * // SchemaVersion: "STRING_VALUE", * // LatestVersion: "STRING_VALUE", * // DefaultVersion: "STRING_VALUE", diff --git a/clients/client-ssm/src/commands/DescribeMaintenanceWindowScheduleCommand.ts b/clients/client-ssm/src/commands/DescribeMaintenanceWindowScheduleCommand.ts index d0d549dd11d0..c096fa067c27 100644 --- a/clients/client-ssm/src/commands/DescribeMaintenanceWindowScheduleCommand.ts +++ b/clients/client-ssm/src/commands/DescribeMaintenanceWindowScheduleCommand.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 { DescribeMaintenanceWindowScheduleRequest } from "../models/models_0"; -import { DescribeMaintenanceWindowScheduleResult } from "../models/models_1"; +import { DescribeMaintenanceWindowScheduleRequest, DescribeMaintenanceWindowScheduleResult } from "../models/models_1"; import { de_DescribeMaintenanceWindowScheduleCommand, se_DescribeMaintenanceWindowScheduleCommand, diff --git a/clients/client-ssm/src/commands/DescribeOpsItemsCommand.ts b/clients/client-ssm/src/commands/DescribeOpsItemsCommand.ts index 0007bcab2105..34e770c672c2 100644 --- a/clients/client-ssm/src/commands/DescribeOpsItemsCommand.ts +++ b/clients/client-ssm/src/commands/DescribeOpsItemsCommand.ts @@ -43,7 +43,7 @@ export interface DescribeOpsItemsCommandOutput extends DescribeOpsItemsResponse, * const input = { // DescribeOpsItemsRequest * OpsItemFilters: [ // OpsItemFilters * { // OpsItemFilter - * Key: "Status" || "CreatedBy" || "Source" || "Priority" || "Title" || "OpsItemId" || "CreatedTime" || "LastModifiedTime" || "ActualStartTime" || "ActualEndTime" || "PlannedStartTime" || "PlannedEndTime" || "OperationalData" || "OperationalDataKey" || "OperationalDataValue" || "ResourceId" || "AutomationId" || "Category" || "Severity" || "OpsItemType" || "ChangeRequestByRequesterArn" || "ChangeRequestByRequesterName" || "ChangeRequestByApproverArn" || "ChangeRequestByApproverName" || "ChangeRequestByTemplate" || "ChangeRequestByTargetsResourceGroup" || "InsightByType" || "AccountId", // required + * Key: "Status" || "CreatedBy" || "Source" || "Priority" || "Title" || "OpsItemId" || "CreatedTime" || "LastModifiedTime" || "ActualStartTime" || "ActualEndTime" || "PlannedStartTime" || "PlannedEndTime" || "OperationalData" || "OperationalDataKey" || "OperationalDataValue" || "ResourceId" || "AutomationId" || "Category" || "Severity" || "OpsItemType" || "AccessRequestByRequesterArn" || "AccessRequestByRequesterId" || "AccessRequestByApproverArn" || "AccessRequestByApproverId" || "AccessRequestBySourceAccountId" || "AccessRequestBySourceOpsItemId" || "AccessRequestBySourceRegion" || "AccessRequestByIsReplica" || "AccessRequestByTargetResourceId" || "ChangeRequestByRequesterArn" || "ChangeRequestByRequesterName" || "ChangeRequestByApproverArn" || "ChangeRequestByApproverName" || "ChangeRequestByTemplate" || "ChangeRequestByTargetsResourceGroup" || "InsightByType" || "AccountId", // required * Values: [ // OpsItemFilterValues // required * "STRING_VALUE", * ], @@ -65,7 +65,7 @@ export interface DescribeOpsItemsCommandOutput extends DescribeOpsItemsResponse, * // LastModifiedTime: new Date("TIMESTAMP"), * // Priority: Number("int"), * // Source: "STRING_VALUE", - * // Status: "Open" || "InProgress" || "Resolved" || "Pending" || "TimedOut" || "Cancelling" || "Cancelled" || "Failed" || "CompletedWithSuccess" || "CompletedWithFailure" || "Scheduled" || "RunbookInProgress" || "PendingChangeCalendarOverride" || "ChangeCalendarOverrideApproved" || "ChangeCalendarOverrideRejected" || "PendingApproval" || "Approved" || "Rejected" || "Closed", + * // Status: "Open" || "InProgress" || "Resolved" || "Pending" || "TimedOut" || "Cancelling" || "Cancelled" || "Failed" || "CompletedWithSuccess" || "CompletedWithFailure" || "Scheduled" || "RunbookInProgress" || "PendingChangeCalendarOverride" || "ChangeCalendarOverrideApproved" || "ChangeCalendarOverrideRejected" || "PendingApproval" || "Approved" || "Revoked" || "Rejected" || "Closed", * // OpsItemId: "STRING_VALUE", * // Title: "STRING_VALUE", * // OperationalData: { // OpsItemOperationalData diff --git a/clients/client-ssm/src/commands/GetAccessTokenCommand.ts b/clients/client-ssm/src/commands/GetAccessTokenCommand.ts new file mode 100644 index 000000000000..c8caad723497 --- /dev/null +++ b/clients/client-ssm/src/commands/GetAccessTokenCommand.ts @@ -0,0 +1,119 @@ +// 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 { + GetAccessTokenRequest, + GetAccessTokenResponse, + GetAccessTokenResponseFilterSensitiveLog, +} from "../models/models_1"; +import { de_GetAccessTokenCommand, se_GetAccessTokenCommand } from "../protocols/Aws_json1_1"; +import { ServiceInputTypes, ServiceOutputTypes, SSMClientResolvedConfig } from "../SSMClient"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link GetAccessTokenCommand}. + */ +export interface GetAccessTokenCommandInput extends GetAccessTokenRequest {} +/** + * @public + * + * The output of {@link GetAccessTokenCommand}. + */ +export interface GetAccessTokenCommandOutput extends GetAccessTokenResponse, __MetadataBearer {} + +/** + *

Returns a credentials set to be used with just-in-time node access.

+ * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { SSMClient, GetAccessTokenCommand } from "@aws-sdk/client-ssm"; // ES Modules import + * // const { SSMClient, GetAccessTokenCommand } = require("@aws-sdk/client-ssm"); // CommonJS import + * const client = new SSMClient(config); + * const input = { // GetAccessTokenRequest + * AccessRequestId: "STRING_VALUE", // required + * }; + * const command = new GetAccessTokenCommand(input); + * const response = await client.send(command); + * // { // GetAccessTokenResponse + * // Credentials: { // Credentials + * // AccessKeyId: "STRING_VALUE", // required + * // SecretAccessKey: "STRING_VALUE", // required + * // SessionToken: "STRING_VALUE", // required + * // ExpirationTime: new Date("TIMESTAMP"), // required + * // }, + * // AccessRequestStatus: "Approved" || "Rejected" || "Revoked" || "Expired" || "Pending", + * // }; + * + * ``` + * + * @param GetAccessTokenCommandInput - {@link GetAccessTokenCommandInput} + * @returns {@link GetAccessTokenCommandOutput} + * @see {@link GetAccessTokenCommandInput} for command's `input` shape. + * @see {@link GetAccessTokenCommandOutput} for command's `response` shape. + * @see {@link SSMClientResolvedConfig | config} for SSMClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

The requester doesn't have permissions to perform the requested operation.

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

An error occurred on the server side.

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

The specified parameter to be shared could not be found.

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

The request or operation couldn't be performed because the service is throttling requests.

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

The request isn't valid. Verify that you entered valid contents for the command and try + * again.

+ * + * @throws {@link SSMServiceException} + *

Base exception class for all service exceptions from SSM service.

+ * + * + * @public + */ +export class GetAccessTokenCommand extends $Command + .classBuilder< + GetAccessTokenCommandInput, + GetAccessTokenCommandOutput, + SSMClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: SSMClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("AmazonSSM", "GetAccessToken", {}) + .n("SSMClient", "GetAccessTokenCommand") + .f(void 0, GetAccessTokenResponseFilterSensitiveLog) + .ser(se_GetAccessTokenCommand) + .de(de_GetAccessTokenCommand) + .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-ssm/src/commands/GetAutomationExecutionCommand.ts b/clients/client-ssm/src/commands/GetAutomationExecutionCommand.ts index 92715d6a4d59..afad8f6ca578 100644 --- a/clients/client-ssm/src/commands/GetAutomationExecutionCommand.ts +++ b/clients/client-ssm/src/commands/GetAutomationExecutionCommand.ts @@ -216,7 +216,7 @@ export interface GetAutomationExecutionCommandOutput extends GetAutomationExecut * // }, * // ], * // TargetLocationsURL: "STRING_VALUE", - * // AutomationSubtype: "ChangeRequest", + * // AutomationSubtype: "ChangeRequest" || "AccessRequest", * // ScheduledTime: new Date("TIMESTAMP"), * // Runbooks: [ // Runbooks * // { // Runbook diff --git a/clients/client-ssm/src/commands/GetDocumentCommand.ts b/clients/client-ssm/src/commands/GetDocumentCommand.ts index bf238fa9f07f..18c860844094 100644 --- a/clients/client-ssm/src/commands/GetDocumentCommand.ts +++ b/clients/client-ssm/src/commands/GetDocumentCommand.ts @@ -52,7 +52,7 @@ export interface GetDocumentCommandOutput extends GetDocumentResult, __MetadataB * // Status: "Creating" || "Active" || "Updating" || "Deleting" || "Failed", * // StatusInformation: "STRING_VALUE", * // Content: "STRING_VALUE", - * // DocumentType: "Command" || "Policy" || "Automation" || "Session" || "Package" || "ApplicationConfiguration" || "ApplicationConfigurationSchema" || "DeploymentStrategy" || "ChangeCalendar" || "Automation.ChangeTemplate" || "ProblemAnalysis" || "ProblemAnalysisTemplate" || "CloudFormation" || "ConformancePackTemplate" || "QuickSetup", + * // DocumentType: "Command" || "Policy" || "Automation" || "Session" || "Package" || "ApplicationConfiguration" || "ApplicationConfigurationSchema" || "DeploymentStrategy" || "ChangeCalendar" || "Automation.ChangeTemplate" || "ProblemAnalysis" || "ProblemAnalysisTemplate" || "CloudFormation" || "ConformancePackTemplate" || "QuickSetup" || "ManualApprovalPolicy" || "AutoApprovalPolicy", * // DocumentFormat: "YAML" || "JSON" || "TEXT", * // Requires: [ // DocumentRequiresList * // { // DocumentRequires diff --git a/clients/client-ssm/src/commands/GetOpsItemCommand.ts b/clients/client-ssm/src/commands/GetOpsItemCommand.ts index fa3f9560a77d..76ef4702d35b 100644 --- a/clients/client-ssm/src/commands/GetOpsItemCommand.ts +++ b/clients/client-ssm/src/commands/GetOpsItemCommand.ts @@ -66,7 +66,7 @@ export interface GetOpsItemCommandOutput extends GetOpsItemResponse, __MetadataB * // OpsItemId: "STRING_VALUE", // required * // }, * // ], - * // Status: "Open" || "InProgress" || "Resolved" || "Pending" || "TimedOut" || "Cancelling" || "Cancelled" || "Failed" || "CompletedWithSuccess" || "CompletedWithFailure" || "Scheduled" || "RunbookInProgress" || "PendingChangeCalendarOverride" || "ChangeCalendarOverrideApproved" || "ChangeCalendarOverrideRejected" || "PendingApproval" || "Approved" || "Rejected" || "Closed", + * // Status: "Open" || "InProgress" || "Resolved" || "Pending" || "TimedOut" || "Cancelling" || "Cancelled" || "Failed" || "CompletedWithSuccess" || "CompletedWithFailure" || "Scheduled" || "RunbookInProgress" || "PendingChangeCalendarOverride" || "ChangeCalendarOverrideApproved" || "ChangeCalendarOverrideRejected" || "PendingApproval" || "Approved" || "Revoked" || "Rejected" || "Closed", * // OpsItemId: "STRING_VALUE", * // Version: "STRING_VALUE", * // Title: "STRING_VALUE", diff --git a/clients/client-ssm/src/commands/ListDocumentsCommand.ts b/clients/client-ssm/src/commands/ListDocumentsCommand.ts index f544ec0bd2e6..2f0fc0e4699f 100644 --- a/clients/client-ssm/src/commands/ListDocumentsCommand.ts +++ b/clients/client-ssm/src/commands/ListDocumentsCommand.ts @@ -68,7 +68,7 @@ export interface ListDocumentsCommandOutput extends ListDocumentsResult, __Metad * // "Windows" || "Linux" || "MacOS", * // ], * // DocumentVersion: "STRING_VALUE", - * // DocumentType: "Command" || "Policy" || "Automation" || "Session" || "Package" || "ApplicationConfiguration" || "ApplicationConfigurationSchema" || "DeploymentStrategy" || "ChangeCalendar" || "Automation.ChangeTemplate" || "ProblemAnalysis" || "ProblemAnalysisTemplate" || "CloudFormation" || "ConformancePackTemplate" || "QuickSetup", + * // DocumentType: "Command" || "Policy" || "Automation" || "Session" || "Package" || "ApplicationConfiguration" || "ApplicationConfigurationSchema" || "DeploymentStrategy" || "ChangeCalendar" || "Automation.ChangeTemplate" || "ProblemAnalysis" || "ProblemAnalysisTemplate" || "CloudFormation" || "ConformancePackTemplate" || "QuickSetup" || "ManualApprovalPolicy" || "AutoApprovalPolicy", * // SchemaVersion: "STRING_VALUE", * // DocumentFormat: "YAML" || "JSON" || "TEXT", * // TargetType: "STRING_VALUE", diff --git a/clients/client-ssm/src/commands/RegisterTargetWithMaintenanceWindowCommand.ts b/clients/client-ssm/src/commands/RegisterTargetWithMaintenanceWindowCommand.ts index e77b945ed896..a2f2b7aaf954 100644 --- a/clients/client-ssm/src/commands/RegisterTargetWithMaintenanceWindowCommand.ts +++ b/clients/client-ssm/src/commands/RegisterTargetWithMaintenanceWindowCommand.ts @@ -9,7 +9,7 @@ import { RegisterTargetWithMaintenanceWindowRequest, RegisterTargetWithMaintenanceWindowRequestFilterSensitiveLog, RegisterTargetWithMaintenanceWindowResult, -} from "../models/models_1"; +} from "../models/models_2"; import { de_RegisterTargetWithMaintenanceWindowCommand, se_RegisterTargetWithMaintenanceWindowCommand, diff --git a/clients/client-ssm/src/commands/RegisterTaskWithMaintenanceWindowCommand.ts b/clients/client-ssm/src/commands/RegisterTaskWithMaintenanceWindowCommand.ts index 408bd32f7a47..13e1554e2dff 100644 --- a/clients/client-ssm/src/commands/RegisterTaskWithMaintenanceWindowCommand.ts +++ b/clients/client-ssm/src/commands/RegisterTaskWithMaintenanceWindowCommand.ts @@ -9,7 +9,7 @@ import { RegisterTaskWithMaintenanceWindowRequest, RegisterTaskWithMaintenanceWindowRequestFilterSensitiveLog, RegisterTaskWithMaintenanceWindowResult, -} from "../models/models_1"; +} from "../models/models_2"; import { de_RegisterTaskWithMaintenanceWindowCommand, se_RegisterTaskWithMaintenanceWindowCommand, diff --git a/clients/client-ssm/src/commands/RemoveTagsFromResourceCommand.ts b/clients/client-ssm/src/commands/RemoveTagsFromResourceCommand.ts index f8bdebfdc7ff..7ad677f51300 100644 --- a/clients/client-ssm/src/commands/RemoveTagsFromResourceCommand.ts +++ b/clients/client-ssm/src/commands/RemoveTagsFromResourceCommand.ts @@ -5,7 +5,7 @@ import { Command as $Command } from "@smithy/smithy-client"; import { MetadataBearer as __MetadataBearer } from "@smithy/types"; import { commonParams } from "../endpoint/EndpointParameters"; -import { RemoveTagsFromResourceRequest, RemoveTagsFromResourceResult } from "../models/models_1"; +import { RemoveTagsFromResourceRequest, RemoveTagsFromResourceResult } from "../models/models_2"; import { de_RemoveTagsFromResourceCommand, se_RemoveTagsFromResourceCommand } from "../protocols/Aws_json1_1"; import { ServiceInputTypes, ServiceOutputTypes, SSMClientResolvedConfig } from "../SSMClient"; diff --git a/clients/client-ssm/src/commands/SendAutomationSignalCommand.ts b/clients/client-ssm/src/commands/SendAutomationSignalCommand.ts index cf48d5784e69..f258568fc1c4 100644 --- a/clients/client-ssm/src/commands/SendAutomationSignalCommand.ts +++ b/clients/client-ssm/src/commands/SendAutomationSignalCommand.ts @@ -38,7 +38,7 @@ export interface SendAutomationSignalCommandOutput extends SendAutomationSignalR * const client = new SSMClient(config); * const input = { // SendAutomationSignalRequest * AutomationExecutionId: "STRING_VALUE", // required - * SignalType: "Approve" || "Reject" || "StartStep" || "StopStep" || "Resume", // required + * SignalType: "Approve" || "Reject" || "StartStep" || "StopStep" || "Resume" || "Revoke", // required * Payload: { // AutomationParameterMap * "": [ // AutomationParameterValueList * "STRING_VALUE", diff --git a/clients/client-ssm/src/commands/StartAccessRequestCommand.ts b/clients/client-ssm/src/commands/StartAccessRequestCommand.ts new file mode 100644 index 000000000000..9fda3efd25d5 --- /dev/null +++ b/clients/client-ssm/src/commands/StartAccessRequestCommand.ts @@ -0,0 +1,126 @@ +// 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 { StartAccessRequestRequest, StartAccessRequestResponse } from "../models/models_2"; +import { de_StartAccessRequestCommand, se_StartAccessRequestCommand } from "../protocols/Aws_json1_1"; +import { ServiceInputTypes, ServiceOutputTypes, SSMClientResolvedConfig } from "../SSMClient"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link StartAccessRequestCommand}. + */ +export interface StartAccessRequestCommandInput extends StartAccessRequestRequest {} +/** + * @public + * + * The output of {@link StartAccessRequestCommand}. + */ +export interface StartAccessRequestCommandOutput extends StartAccessRequestResponse, __MetadataBearer {} + +/** + *

Starts the workflow for just-in-time node access sessions.

+ * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { SSMClient, StartAccessRequestCommand } from "@aws-sdk/client-ssm"; // ES Modules import + * // const { SSMClient, StartAccessRequestCommand } = require("@aws-sdk/client-ssm"); // CommonJS import + * const client = new SSMClient(config); + * const input = { // StartAccessRequestRequest + * Reason: "STRING_VALUE", // required + * Targets: [ // Targets // required + * { // Target + * Key: "STRING_VALUE", + * Values: [ // TargetValues + * "STRING_VALUE", + * ], + * }, + * ], + * Tags: [ // TagList + * { // Tag + * Key: "STRING_VALUE", // required + * Value: "STRING_VALUE", // required + * }, + * ], + * }; + * const command = new StartAccessRequestCommand(input); + * const response = await client.send(command); + * // { // StartAccessRequestResponse + * // AccessRequestId: "STRING_VALUE", + * // }; + * + * ``` + * + * @param StartAccessRequestCommandInput - {@link StartAccessRequestCommandInput} + * @returns {@link StartAccessRequestCommandOutput} + * @see {@link StartAccessRequestCommandInput} for command's `input` shape. + * @see {@link StartAccessRequestCommandOutput} for command's `response` shape. + * @see {@link SSMClientResolvedConfig | config} for SSMClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

The requester doesn't have permissions to perform the requested operation.

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

An error occurred on the server side.

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

The specified parameter to be shared could not be found.

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

The request exceeds the service quota. Service quotas, also referred to as limits, are the maximum number of service resources or operations for your Amazon Web Services account.

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

The request or operation couldn't be performed because the service is throttling requests.

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

The request isn't valid. Verify that you entered valid contents for the command and try + * again.

+ * + * @throws {@link SSMServiceException} + *

Base exception class for all service exceptions from SSM service.

+ * + * + * @public + */ +export class StartAccessRequestCommand extends $Command + .classBuilder< + StartAccessRequestCommandInput, + StartAccessRequestCommandOutput, + SSMClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: SSMClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("AmazonSSM", "StartAccessRequest", {}) + .n("SSMClient", "StartAccessRequestCommand") + .f(void 0, void 0) + .ser(se_StartAccessRequestCommand) + .de(de_StartAccessRequestCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: StartAccessRequestRequest; + output: StartAccessRequestResponse; + }; + sdk: { + input: StartAccessRequestCommandInput; + output: StartAccessRequestCommandOutput; + }; + }; +} diff --git a/clients/client-ssm/src/commands/UpdateDocumentCommand.ts b/clients/client-ssm/src/commands/UpdateDocumentCommand.ts index dac65c44484d..38f6aeb10d92 100644 --- a/clients/client-ssm/src/commands/UpdateDocumentCommand.ts +++ b/clients/client-ssm/src/commands/UpdateDocumentCommand.ts @@ -80,7 +80,7 @@ export interface UpdateDocumentCommandOutput extends UpdateDocumentResult, __Met * // PlatformTypes: [ // PlatformTypeList * // "Windows" || "Linux" || "MacOS", * // ], - * // DocumentType: "Command" || "Policy" || "Automation" || "Session" || "Package" || "ApplicationConfiguration" || "ApplicationConfigurationSchema" || "DeploymentStrategy" || "ChangeCalendar" || "Automation.ChangeTemplate" || "ProblemAnalysis" || "ProblemAnalysisTemplate" || "CloudFormation" || "ConformancePackTemplate" || "QuickSetup", + * // DocumentType: "Command" || "Policy" || "Automation" || "Session" || "Package" || "ApplicationConfiguration" || "ApplicationConfigurationSchema" || "DeploymentStrategy" || "ChangeCalendar" || "Automation.ChangeTemplate" || "ProblemAnalysis" || "ProblemAnalysisTemplate" || "CloudFormation" || "ConformancePackTemplate" || "QuickSetup" || "ManualApprovalPolicy" || "AutoApprovalPolicy", * // SchemaVersion: "STRING_VALUE", * // LatestVersion: "STRING_VALUE", * // DefaultVersion: "STRING_VALUE", diff --git a/clients/client-ssm/src/commands/UpdateOpsItemCommand.ts b/clients/client-ssm/src/commands/UpdateOpsItemCommand.ts index 42f7011bdd2e..a53d79121135 100644 --- a/clients/client-ssm/src/commands/UpdateOpsItemCommand.ts +++ b/clients/client-ssm/src/commands/UpdateOpsItemCommand.ts @@ -62,7 +62,7 @@ export interface UpdateOpsItemCommandOutput extends UpdateOpsItemResponse, __Met * OpsItemId: "STRING_VALUE", // required * }, * ], - * Status: "Open" || "InProgress" || "Resolved" || "Pending" || "TimedOut" || "Cancelling" || "Cancelled" || "Failed" || "CompletedWithSuccess" || "CompletedWithFailure" || "Scheduled" || "RunbookInProgress" || "PendingChangeCalendarOverride" || "ChangeCalendarOverrideApproved" || "ChangeCalendarOverrideRejected" || "PendingApproval" || "Approved" || "Rejected" || "Closed", + * Status: "Open" || "InProgress" || "Resolved" || "Pending" || "TimedOut" || "Cancelling" || "Cancelled" || "Failed" || "CompletedWithSuccess" || "CompletedWithFailure" || "Scheduled" || "RunbookInProgress" || "PendingChangeCalendarOverride" || "ChangeCalendarOverrideApproved" || "ChangeCalendarOverrideRejected" || "PendingApproval" || "Approved" || "Revoked" || "Rejected" || "Closed", * OpsItemId: "STRING_VALUE", // required * Title: "STRING_VALUE", * Category: "STRING_VALUE", diff --git a/clients/client-ssm/src/commands/index.ts b/clients/client-ssm/src/commands/index.ts index 6d3b424cd526..92e89a79d31c 100644 --- a/clients/client-ssm/src/commands/index.ts +++ b/clients/client-ssm/src/commands/index.ts @@ -62,6 +62,7 @@ export * from "./DescribePatchGroupsCommand"; export * from "./DescribePatchPropertiesCommand"; export * from "./DescribeSessionsCommand"; export * from "./DisassociateOpsItemRelatedItemCommand"; +export * from "./GetAccessTokenCommand"; export * from "./GetAutomationExecutionCommand"; export * from "./GetCalendarStateCommand"; export * from "./GetCommandInvocationCommand"; @@ -121,6 +122,7 @@ export * from "./ResetServiceSettingCommand"; export * from "./ResumeSessionCommand"; export * from "./SendAutomationSignalCommand"; export * from "./SendCommandCommand"; +export * from "./StartAccessRequestCommand"; export * from "./StartAssociationsOnceCommand"; export * from "./StartAutomationExecutionCommand"; export * from "./StartChangeRequestExecutionCommand"; diff --git a/clients/client-ssm/src/models/models_0.ts b/clients/client-ssm/src/models/models_0.ts index bd03af7231fb..e605e24a07c5 100644 --- a/clients/client-ssm/src/models/models_0.ts +++ b/clients/client-ssm/src/models/models_0.ts @@ -3,6 +3,45 @@ import { ExceptionOptionType as __ExceptionOptionType, SENSITIVE_STRING } from " import { SSMServiceException as __BaseException } from "./SSMServiceException"; +/** + *

The requester doesn't have permissions to perform the requested operation.

+ * @public + */ +export class AccessDeniedException extends __BaseException { + readonly name: "AccessDeniedException" = "AccessDeniedException"; + readonly $fault: "client" = "client"; + Message: string | undefined; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "AccessDeniedException", + $fault: "client", + ...opts, + }); + Object.setPrototypeOf(this, AccessDeniedException.prototype); + this.Message = opts.Message; + } +} + +/** + * @public + * @enum + */ +export const AccessRequestStatus = { + APPROVED: "Approved", + EXPIRED: "Expired", + PENDING: "Pending", + REJECTED: "Rejected", + REVOKED: "Revoked", +} as const; + +/** + * @public + */ +export type AccessRequestStatus = (typeof AccessRequestStatus)[keyof typeof AccessRequestStatus]; + /** *

Information includes the Amazon Web Services account ID where the current document is shared and the * version shared with that account.

@@ -2284,6 +2323,7 @@ export type DocumentFormat = (typeof DocumentFormat)[keyof typeof DocumentFormat export const DocumentType = { ApplicationConfiguration: "ApplicationConfiguration", ApplicationConfigurationSchema: "ApplicationConfigurationSchema", + AutoApprovalPolicy: "AutoApprovalPolicy", Automation: "Automation", ChangeCalendar: "ChangeCalendar", ChangeTemplate: "Automation.ChangeTemplate", @@ -2291,6 +2331,7 @@ export const DocumentType = { Command: "Command", ConformancePackTemplate: "ConformancePackTemplate", DeploymentStrategy: "DeploymentStrategy", + ManualApprovalPolicy: "ManualApprovalPolicy", Package: "Package", Policy: "Policy", ProblemAnalysis: "ProblemAnalysis", @@ -5904,6 +5945,7 @@ export type AutomationExecutionStatus = (typeof AutomationExecutionStatus)[keyof * @enum */ export const AutomationSubtype = { + AccessRequest: "AccessRequest", ChangeRequest: "ChangeRequest", } as const; @@ -9602,66 +9644,6 @@ export interface DescribeMaintenanceWindowsResult { NextToken?: string | undefined; } -/** - * @public - * @enum - */ -export const MaintenanceWindowResourceType = { - Instance: "INSTANCE", - ResourceGroup: "RESOURCE_GROUP", -} as const; - -/** - * @public - */ -export type MaintenanceWindowResourceType = - (typeof MaintenanceWindowResourceType)[keyof typeof MaintenanceWindowResourceType]; - -/** - * @public - */ -export interface DescribeMaintenanceWindowScheduleRequest { - /** - *

The ID of the maintenance window to retrieve information about.

- * @public - */ - WindowId?: string | undefined; - - /** - *

The managed node ID or key-value pair to retrieve information about.

- * @public - */ - Targets?: Target[] | undefined; - - /** - *

The type of resource you want to retrieve information about. For example, - * INSTANCE.

- * @public - */ - ResourceType?: MaintenanceWindowResourceType | undefined; - - /** - *

Filters used to limit the range of results. For example, you can limit maintenance window - * executions to only those scheduled before or after a certain date and time.

- * @public - */ - Filters?: PatchOrchestratorFilter[] | undefined; - - /** - *

The maximum number of items to return for this call. The call also returns a token that you - * can specify in a subsequent call to get the next set of results.

- * @public - */ - MaxResults?: number | undefined; - - /** - *

The token for the next set of items to return. (You received this token from a previous - * call.)

- * @public - */ - NextToken?: string | undefined; -} - /** * @internal */ diff --git a/clients/client-ssm/src/models/models_1.ts b/clients/client-ssm/src/models/models_1.ts index 5fc4f1963a86..41065998c36b 100644 --- a/clients/client-ssm/src/models/models_1.ts +++ b/clients/client-ssm/src/models/models_1.ts @@ -2,6 +2,7 @@ import { ExceptionOptionType as __ExceptionOptionType, SENSITIVE_STRING } from "@smithy/smithy-client"; import { + AccessRequestStatus, AlarmConfiguration, AlarmStateInformation, AssociationComplianceSeverity, @@ -19,7 +20,6 @@ import { InstanceAssociationOutputLocation, MaintenanceWindowExecutionStatus, MaintenanceWindowFilter, - MaintenanceWindowResourceType, MaintenanceWindowTaskType, MetadataValue, OperatingSystem, @@ -50,6 +50,66 @@ import { import { SSMServiceException as __BaseException } from "./SSMServiceException"; +/** + * @public + * @enum + */ +export const MaintenanceWindowResourceType = { + Instance: "INSTANCE", + ResourceGroup: "RESOURCE_GROUP", +} as const; + +/** + * @public + */ +export type MaintenanceWindowResourceType = + (typeof MaintenanceWindowResourceType)[keyof typeof MaintenanceWindowResourceType]; + +/** + * @public + */ +export interface DescribeMaintenanceWindowScheduleRequest { + /** + *

The ID of the maintenance window to retrieve information about.

+ * @public + */ + WindowId?: string | undefined; + + /** + *

The managed node ID or key-value pair to retrieve information about.

+ * @public + */ + Targets?: Target[] | undefined; + + /** + *

The type of resource you want to retrieve information about. For example, + * INSTANCE.

+ * @public + */ + ResourceType?: MaintenanceWindowResourceType | undefined; + + /** + *

Filters used to limit the range of results. For example, you can limit maintenance window + * executions to only those scheduled before or after a certain date and time.

+ * @public + */ + Filters?: PatchOrchestratorFilter[] | undefined; + + /** + *

The maximum number of items to return for this call. The call also returns a token that you + * can specify in a subsequent call to get the next set of results.

+ * @public + */ + MaxResults?: number | undefined; + + /** + *

The token for the next set of items to return. (You received this token from a previous + * call.)

+ * @public + */ + NextToken?: string | undefined; +} + /** *

Information about a scheduled execution for a maintenance window.

* @public @@ -526,6 +586,15 @@ export interface DescribeMaintenanceWindowTasksResult { * @enum */ export const OpsItemFilterKey = { + ACCESS_REQUEST_APPROVER_ARN: "AccessRequestByApproverArn", + ACCESS_REQUEST_APPROVER_ID: "AccessRequestByApproverId", + ACCESS_REQUEST_IS_REPLICA: "AccessRequestByIsReplica", + ACCESS_REQUEST_REQUESTER_ARN: "AccessRequestByRequesterArn", + ACCESS_REQUEST_REQUESTER_ID: "AccessRequestByRequesterId", + ACCESS_REQUEST_SOURCE_ACCOUNT_ID: "AccessRequestBySourceAccountId", + ACCESS_REQUEST_SOURCE_OPS_ITEM_ID: "AccessRequestBySourceOpsItemId", + ACCESS_REQUEST_SOURCE_REGION: "AccessRequestBySourceRegion", + ACCESS_REQUEST_TARGET_RESOURCE_ID: "AccessRequestByTargetResourceId", ACCOUNT_ID: "AccountId", ACTUAL_END_TIME: "ActualEndTime", ACTUAL_START_TIME: "ActualStartTime", @@ -709,6 +778,7 @@ export const OpsItemStatus = { PENDING_CHANGE_CALENDAR_OVERRIDE: "PendingChangeCalendarOverride", REJECTED: "Rejected", RESOLVED: "Resolved", + REVOKED: "Revoked", RUNBOOK_IN_PROGRESS: "RunbookInProgress", SCHEDULED: "Scheduled", TIMED_OUT: "TimedOut", @@ -1880,6 +1950,128 @@ export class OpsItemRelatedItemAssociationNotFoundException extends __BaseExcept } } +/** + * @public + */ +export interface GetAccessTokenRequest { + /** + *

The ID of a just-in-time node access request.

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

The temporary security credentials, which include an access key ID, a secret access key, and a security (or session) token.

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

The access key ID that identifies the temporary security credentials.

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

The secret access key that can be used to sign requests.

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

The token that users must pass to the service API to use the temporary credentials.

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

The datetime on which the current credentials expire.

+ * @public + */ + ExpirationTime: Date | undefined; +} + +/** + * @public + */ +export interface GetAccessTokenResponse { + /** + *

The temporary security credentials which can be used to start just-in-time node access sessions.

+ * @public + */ + Credentials?: Credentials | undefined; + + /** + *

The status of the access request.

+ * @public + */ + AccessRequestStatus?: AccessRequestStatus | undefined; +} + +/** + *

The request or operation couldn't be performed because the service is throttling requests.

+ * @public + */ +export class ThrottlingException extends __BaseException { + readonly name: "ThrottlingException" = "ThrottlingException"; + readonly $fault: "client" = "client"; + Message: string | undefined; + /** + *

The quota code recognized by the Amazon Web Services Service Quotas service.

+ * @public + */ + QuotaCode?: string | undefined; + + /** + *

The code for the Amazon Web Services service that owns the quota.

+ * @public + */ + ServiceCode?: string | undefined; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "ThrottlingException", + $fault: "client", + ...opts, + }); + Object.setPrototypeOf(this, ThrottlingException.prototype); + this.Message = opts.Message; + this.QuotaCode = opts.QuotaCode; + this.ServiceCode = opts.ServiceCode; + } +} + +/** + *

The request isn't valid. Verify that you entered valid contents for the command and try + * again.

+ * @public + */ +export class ValidationException extends __BaseException { + readonly name: "ValidationException" = "ValidationException"; + readonly $fault: "client" = "client"; + Message?: string | undefined; + /** + *

The reason code for the invalid request.

+ * @public + */ + ReasonCode?: string | undefined; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "ValidationException", + $fault: "client", + ...opts, + }); + Object.setPrototypeOf(this, ValidationException.prototype); + this.Message = opts.Message; + this.ReasonCode = opts.ReasonCode; + } +} + /** * @public */ @@ -10469,382 +10661,6 @@ export interface RegisterPatchBaselineForPatchGroupResult { PatchGroup?: string | undefined; } -/** - * @public - */ -export interface RegisterTargetWithMaintenanceWindowRequest { - /** - *

The ID of the maintenance window the target should be registered with.

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

The type of target being registered with the maintenance window.

- * @public - */ - ResourceType: MaintenanceWindowResourceType | undefined; - - /** - *

The targets to register with the maintenance window. In other words, the managed nodes to - * run commands on when the maintenance window runs.

- * - *

If a single maintenance window task is registered with multiple targets, its task - * invocations occur sequentially and not in parallel. If your task must run on multiple targets at - * the same time, register a task for each target individually and assign each task the same - * priority level.

- *
- *

You can specify targets using managed node IDs, resource group names, or tags that have been - * applied to managed nodes.

- *

- * Example 1: Specify managed node IDs

- *

- * Key=InstanceIds,Values=,, - *

- *

- * Example 2: Use tag key-pairs applied to managed - * nodes

- *

- * Key=tag:,Values=, - *

- *

- * Example 3: Use tag-keys applied to managed nodes

- *

- * Key=tag-key,Values=, - *

- *

- * Example 4: Use resource group names

- *

- * Key=resource-groups:Name,Values= - *

- *

- * Example 5: Use filters for resource group types

- *

- * Key=resource-groups:ResourceTypeFilters,Values=, - *

- * - *

For Key=resource-groups:ResourceTypeFilters, specify resource types in the - * following format

- *

- * Key=resource-groups:ResourceTypeFilters,Values=AWS::EC2::INSTANCE,AWS::EC2::VPC - *

- *
- *

For more information about these examples formats, including the best use case for each one, - * see Examples: Register - * targets with a maintenance window in the Amazon Web Services Systems Manager User Guide.

- * @public - */ - Targets: Target[] | undefined; - - /** - *

User-provided value that will be included in any Amazon CloudWatch Events events raised while - * running tasks for these targets in this maintenance window.

- * @public - */ - OwnerInformation?: string | undefined; - - /** - *

An optional name for the target.

- * @public - */ - Name?: string | undefined; - - /** - *

An optional description for the target.

- * @public - */ - Description?: string | undefined; - - /** - *

User-provided idempotency token.

- * @public - */ - ClientToken?: string | undefined; -} - -/** - * @public - */ -export interface RegisterTargetWithMaintenanceWindowResult { - /** - *

The ID of the target definition in this maintenance window.

- * @public - */ - WindowTargetId?: string | undefined; -} - -/** - *

You attempted to register a LAMBDA or STEP_FUNCTIONS task in a - * region where the corresponding service isn't available.

- * @public - */ -export class FeatureNotAvailableException extends __BaseException { - readonly name: "FeatureNotAvailableException" = "FeatureNotAvailableException"; - readonly $fault: "client" = "client"; - Message?: string | undefined; - /** - * @internal - */ - constructor(opts: __ExceptionOptionType) { - super({ - name: "FeatureNotAvailableException", - $fault: "client", - ...opts, - }); - Object.setPrototypeOf(this, FeatureNotAvailableException.prototype); - this.Message = opts.Message; - } -} - -/** - * @public - */ -export interface RegisterTaskWithMaintenanceWindowRequest { - /** - *

The ID of the maintenance window the task should be added to.

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

The targets (either managed nodes or maintenance window targets).

- * - *

One or more targets must be specified for maintenance window Run Command-type tasks. - * Depending on the task, targets are optional for other maintenance window task types (Automation, - * Lambda, and Step Functions). For more information about running tasks - * that don't specify targets, see Registering - * maintenance window tasks without targets in the - * Amazon Web Services Systems Manager User Guide.

- *
- *

Specify managed nodes using the following format:

- *

- * Key=InstanceIds,Values=, - *

- *

Specify maintenance window targets using the following format:

- *

- * Key=WindowTargetIds,Values=, - *

- * @public - */ - Targets?: Target[] | undefined; - - /** - *

The ARN of the task to run.

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

The Amazon Resource Name (ARN) of the IAM service role for - * Amazon Web Services Systems Manager to assume when running a maintenance window task. If you do not specify a - * service role ARN, Systems Manager uses a service-linked role in your account. If no - * appropriate service-linked role for Systems Manager exists in your account, it is created when - * you run RegisterTaskWithMaintenanceWindow.

- *

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 - * Amazon Web Services Systems Manager User Guide.

- * @public - */ - ServiceRoleArn?: string | undefined; - - /** - *

The type of task being registered.

- * @public - */ - TaskType: MaintenanceWindowTaskType | undefined; - - /** - *

The parameters that should be passed to the task when it is run.

- * - *

- * TaskParameters has been deprecated. To specify parameters to pass to a task when it runs, - * instead use the Parameters option in the TaskInvocationParameters structure. For information - * about how Systems Manager handles these options for the supported maintenance window task - * types, see MaintenanceWindowTaskInvocationParameters.

- *
- * @public - */ - TaskParameters?: Record | undefined; - - /** - *

The parameters that the task should use during execution. Populate only the fields that - * match the task type. All other fields should be empty.

- * @public - */ - TaskInvocationParameters?: MaintenanceWindowTaskInvocationParameters | undefined; - - /** - *

The priority of the task in the maintenance window, the lower the number the higher the - * priority. Tasks in a maintenance window are scheduled in priority order with tasks that have the - * same priority scheduled in parallel.

- * @public - */ - Priority?: number | undefined; - - /** - *

The maximum number of targets this task can be run for, in parallel.

- * - *

Although this element is listed as "Required: No", a value can be omitted only when you are - * registering or updating a targetless - * task You must provide a value in all other cases.

- *

For maintenance window tasks without a target specified, you can't supply a value for this - * option. Instead, the system inserts a placeholder value of 1. This value doesn't - * affect the running of your task.

- *
- * @public - */ - MaxConcurrency?: string | undefined; - - /** - *

The maximum number of errors allowed before this task stops being scheduled.

- * - *

Although this element is listed as "Required: No", a value can be omitted only when you are - * registering or updating a targetless - * task You must provide a value in all other cases.

- *

For maintenance window tasks without a target specified, you can't supply a value for this - * option. Instead, the system inserts a placeholder value of 1. This value doesn't - * affect the running of your task.

- *
- * @public - */ - MaxErrors?: string | undefined; - - /** - *

A structure containing information about an Amazon Simple Storage Service (Amazon S3) bucket - * to write managed node-level logs to.

- * - *

- * LoggingInfo has been deprecated. To specify an Amazon Simple Storage Service (Amazon S3) bucket to contain logs, instead use the - * OutputS3BucketName and OutputS3KeyPrefix options in the TaskInvocationParameters structure. - * For information about how Amazon Web Services Systems Manager handles these options for the supported maintenance - * window task types, see MaintenanceWindowTaskInvocationParameters.

- *
- * @public - */ - LoggingInfo?: LoggingInfo | undefined; - - /** - *

An optional name for the task.

- * @public - */ - Name?: string | undefined; - - /** - *

An optional description for the task.

- * @public - */ - Description?: string | undefined; - - /** - *

User-provided idempotency token.

- * @public - */ - ClientToken?: string | undefined; - - /** - *

Indicates whether tasks should continue to run after the cutoff time specified in the - * maintenance windows is reached.

- *
    - *
  • - *

    - * CONTINUE_TASK: When the cutoff time is reached, any tasks that are running - * continue. The default value.

    - *
  • - *
  • - *

    - * CANCEL_TASK:

    - *
      - *
    • - *

      For Automation, Lambda, Step Functions tasks: When the cutoff - * time is reached, any task invocations that are already running continue, but no new task - * invocations are started.

      - *
    • - *
    • - *

      For Run Command tasks: When the cutoff time is reached, the system sends a CancelCommand operation that attempts to cancel the command associated with the - * task. However, there is no guarantee that the command will be terminated and the underlying - * process stopped.

      - *
    • - *
    - *

    The status for tasks that are not completed is TIMED_OUT.

    - *
  • - *
- * @public - */ - CutoffBehavior?: MaintenanceWindowTaskCutoffBehavior | undefined; - - /** - *

The CloudWatch alarm you want to apply to your maintenance window task.

- * @public - */ - AlarmConfiguration?: AlarmConfiguration | undefined; -} - -/** - * @public - */ -export interface RegisterTaskWithMaintenanceWindowResult { - /** - *

The ID of the task in the maintenance window.

- * @public - */ - WindowTaskId?: string | undefined; -} - -/** - * @public - */ -export interface RemoveTagsFromResourceRequest { - /** - *

The type of resource from which you want to remove a tag.

- * - *

The ManagedInstance type for this API operation is only for on-premises - * managed nodes. Specify the name of the managed node in the following format: - * mi-ID_number - * . For example, - * mi-1a2b3c4d5e6f.

- *
- * @public - */ - ResourceType: ResourceTypeForTagging | undefined; - - /** - *

The ID of the resource from which you want to remove tags. For example:

- *

ManagedInstance: mi-012345abcde

- *

MaintenanceWindow: mw-012345abcde

- *

- * Automation: example-c160-4567-8519-012345abcde - *

- *

PatchBaseline: pb-012345abcde

- *

OpsMetadata object: ResourceID for tagging is created from the Amazon Resource - * Name (ARN) for the object. Specifically, ResourceID is created from the strings that - * come after the word opsmetadata in the ARN. For example, an OpsMetadata object with - * an ARN of arn:aws:ssm:us-east-2:1234567890:opsmetadata/aws/ssm/MyGroup/appmanager - * has a ResourceID of either aws/ssm/MyGroup/appmanager or - * /aws/ssm/MyGroup/appmanager.

- *

For the Document and Parameter values, use the name of the resource.

- * - *

The ManagedInstance type for this API operation is only for on-premises - * managed nodes. Specify the name of the managed node in the following format: mi-ID_number. For - * example, mi-1a2b3c4d5e6f.

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

Tag keys that you want to remove from the specified resource.

- * @public - */ - TagKeys: string[] | undefined; -} - -/** - * @public - */ -export interface RemoveTagsFromResourceResult {} - /** * @internal */ @@ -10893,6 +10709,23 @@ export const DescribeMaintenanceWindowTasksResultFilterSensitiveLog = ( ...(obj.Tasks && { Tasks: obj.Tasks.map((item) => MaintenanceWindowTaskFilterSensitiveLog(item)) }), }); +/** + * @internal + */ +export const CredentialsFilterSensitiveLog = (obj: Credentials): any => ({ + ...obj, + ...(obj.SecretAccessKey && { SecretAccessKey: SENSITIVE_STRING }), + ...(obj.SessionToken && { SessionToken: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const GetAccessTokenResponseFilterSensitiveLog = (obj: GetAccessTokenResponse): any => ({ + ...obj, + ...(obj.Credentials && { Credentials: CredentialsFilterSensitiveLog(obj.Credentials) }), +}); + /** * @internal */ @@ -11122,28 +10955,3 @@ export const PutParameterRequestFilterSensitiveLog = (obj: PutParameterRequest): ...obj, ...(obj.Value && { Value: SENSITIVE_STRING }), }); - -/** - * @internal - */ -export const RegisterTargetWithMaintenanceWindowRequestFilterSensitiveLog = ( - obj: RegisterTargetWithMaintenanceWindowRequest -): any => ({ - ...obj, - ...(obj.OwnerInformation && { OwnerInformation: SENSITIVE_STRING }), - ...(obj.Description && { Description: SENSITIVE_STRING }), -}); - -/** - * @internal - */ -export const RegisterTaskWithMaintenanceWindowRequestFilterSensitiveLog = ( - obj: RegisterTaskWithMaintenanceWindowRequest -): any => ({ - ...obj, - ...(obj.TaskParameters && { TaskParameters: SENSITIVE_STRING }), - ...(obj.TaskInvocationParameters && { - TaskInvocationParameters: MaintenanceWindowTaskInvocationParametersFilterSensitiveLog(obj.TaskInvocationParameters), - }), - ...(obj.Description && { Description: SENSITIVE_STRING }), -}); diff --git a/clients/client-ssm/src/models/models_2.ts b/clients/client-ssm/src/models/models_2.ts index 199f9ed0a23d..1506364d1d73 100644 --- a/clients/client-ssm/src/models/models_2.ts +++ b/clients/client-ssm/src/models/models_2.ts @@ -14,6 +14,7 @@ import { DocumentHashType, ExecutionMode, InstanceAssociationOutputLocation, + MaintenanceWindowTaskType, MetadataValue, OperatingSystem, OpsItemDataValue, @@ -27,6 +28,7 @@ import { PatchSourceFilterSensitiveLog, RelatedOpsItem, ResourceDataSyncSource, + ResourceTypeForTagging, Runbook, Tag, Target, @@ -41,6 +43,7 @@ import { InventoryFilter, InventoryGroup, LoggingInfo, + MaintenanceWindowResourceType, MaintenanceWindowTaskCutoffBehavior, MaintenanceWindowTaskInvocationParameters, MaintenanceWindowTaskInvocationParametersFilterSensitiveLog, @@ -59,6 +62,382 @@ import { import { SSMServiceException as __BaseException } from "./SSMServiceException"; +/** + * @public + */ +export interface RegisterTargetWithMaintenanceWindowRequest { + /** + *

The ID of the maintenance window the target should be registered with.

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

The type of target being registered with the maintenance window.

+ * @public + */ + ResourceType: MaintenanceWindowResourceType | undefined; + + /** + *

The targets to register with the maintenance window. In other words, the managed nodes to + * run commands on when the maintenance window runs.

+ * + *

If a single maintenance window task is registered with multiple targets, its task + * invocations occur sequentially and not in parallel. If your task must run on multiple targets at + * the same time, register a task for each target individually and assign each task the same + * priority level.

+ *
+ *

You can specify targets using managed node IDs, resource group names, or tags that have been + * applied to managed nodes.

+ *

+ * Example 1: Specify managed node IDs

+ *

+ * Key=InstanceIds,Values=,, + *

+ *

+ * Example 2: Use tag key-pairs applied to managed + * nodes

+ *

+ * Key=tag:,Values=, + *

+ *

+ * Example 3: Use tag-keys applied to managed nodes

+ *

+ * Key=tag-key,Values=, + *

+ *

+ * Example 4: Use resource group names

+ *

+ * Key=resource-groups:Name,Values= + *

+ *

+ * Example 5: Use filters for resource group types

+ *

+ * Key=resource-groups:ResourceTypeFilters,Values=, + *

+ * + *

For Key=resource-groups:ResourceTypeFilters, specify resource types in the + * following format

+ *

+ * Key=resource-groups:ResourceTypeFilters,Values=AWS::EC2::INSTANCE,AWS::EC2::VPC + *

+ *
+ *

For more information about these examples formats, including the best use case for each one, + * see Examples: Register + * targets with a maintenance window in the Amazon Web Services Systems Manager User Guide.

+ * @public + */ + Targets: Target[] | undefined; + + /** + *

User-provided value that will be included in any Amazon CloudWatch Events events raised while + * running tasks for these targets in this maintenance window.

+ * @public + */ + OwnerInformation?: string | undefined; + + /** + *

An optional name for the target.

+ * @public + */ + Name?: string | undefined; + + /** + *

An optional description for the target.

+ * @public + */ + Description?: string | undefined; + + /** + *

User-provided idempotency token.

+ * @public + */ + ClientToken?: string | undefined; +} + +/** + * @public + */ +export interface RegisterTargetWithMaintenanceWindowResult { + /** + *

The ID of the target definition in this maintenance window.

+ * @public + */ + WindowTargetId?: string | undefined; +} + +/** + *

You attempted to register a LAMBDA or STEP_FUNCTIONS task in a + * region where the corresponding service isn't available.

+ * @public + */ +export class FeatureNotAvailableException extends __BaseException { + readonly name: "FeatureNotAvailableException" = "FeatureNotAvailableException"; + readonly $fault: "client" = "client"; + Message?: string | undefined; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "FeatureNotAvailableException", + $fault: "client", + ...opts, + }); + Object.setPrototypeOf(this, FeatureNotAvailableException.prototype); + this.Message = opts.Message; + } +} + +/** + * @public + */ +export interface RegisterTaskWithMaintenanceWindowRequest { + /** + *

The ID of the maintenance window the task should be added to.

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

The targets (either managed nodes or maintenance window targets).

+ * + *

One or more targets must be specified for maintenance window Run Command-type tasks. + * Depending on the task, targets are optional for other maintenance window task types (Automation, + * Lambda, and Step Functions). For more information about running tasks + * that don't specify targets, see Registering + * maintenance window tasks without targets in the + * Amazon Web Services Systems Manager User Guide.

+ *
+ *

Specify managed nodes using the following format:

+ *

+ * Key=InstanceIds,Values=, + *

+ *

Specify maintenance window targets using the following format:

+ *

+ * Key=WindowTargetIds,Values=, + *

+ * @public + */ + Targets?: Target[] | undefined; + + /** + *

The ARN of the task to run.

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

The Amazon Resource Name (ARN) of the IAM service role for + * Amazon Web Services Systems Manager to assume when running a maintenance window task. If you do not specify a + * service role ARN, Systems Manager uses a service-linked role in your account. If no + * appropriate service-linked role for Systems Manager exists in your account, it is created when + * you run RegisterTaskWithMaintenanceWindow.

+ *

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 + * Amazon Web Services Systems Manager User Guide.

+ * @public + */ + ServiceRoleArn?: string | undefined; + + /** + *

The type of task being registered.

+ * @public + */ + TaskType: MaintenanceWindowTaskType | undefined; + + /** + *

The parameters that should be passed to the task when it is run.

+ * + *

+ * TaskParameters has been deprecated. To specify parameters to pass to a task when it runs, + * instead use the Parameters option in the TaskInvocationParameters structure. For information + * about how Systems Manager handles these options for the supported maintenance window task + * types, see MaintenanceWindowTaskInvocationParameters.

+ *
+ * @public + */ + TaskParameters?: Record | undefined; + + /** + *

The parameters that the task should use during execution. Populate only the fields that + * match the task type. All other fields should be empty.

+ * @public + */ + TaskInvocationParameters?: MaintenanceWindowTaskInvocationParameters | undefined; + + /** + *

The priority of the task in the maintenance window, the lower the number the higher the + * priority. Tasks in a maintenance window are scheduled in priority order with tasks that have the + * same priority scheduled in parallel.

+ * @public + */ + Priority?: number | undefined; + + /** + *

The maximum number of targets this task can be run for, in parallel.

+ * + *

Although this element is listed as "Required: No", a value can be omitted only when you are + * registering or updating a targetless + * task You must provide a value in all other cases.

+ *

For maintenance window tasks without a target specified, you can't supply a value for this + * option. Instead, the system inserts a placeholder value of 1. This value doesn't + * affect the running of your task.

+ *
+ * @public + */ + MaxConcurrency?: string | undefined; + + /** + *

The maximum number of errors allowed before this task stops being scheduled.

+ * + *

Although this element is listed as "Required: No", a value can be omitted only when you are + * registering or updating a targetless + * task You must provide a value in all other cases.

+ *

For maintenance window tasks without a target specified, you can't supply a value for this + * option. Instead, the system inserts a placeholder value of 1. This value doesn't + * affect the running of your task.

+ *
+ * @public + */ + MaxErrors?: string | undefined; + + /** + *

A structure containing information about an Amazon Simple Storage Service (Amazon S3) bucket + * to write managed node-level logs to.

+ * + *

+ * LoggingInfo has been deprecated. To specify an Amazon Simple Storage Service (Amazon S3) bucket to contain logs, instead use the + * OutputS3BucketName and OutputS3KeyPrefix options in the TaskInvocationParameters structure. + * For information about how Amazon Web Services Systems Manager handles these options for the supported maintenance + * window task types, see MaintenanceWindowTaskInvocationParameters.

+ *
+ * @public + */ + LoggingInfo?: LoggingInfo | undefined; + + /** + *

An optional name for the task.

+ * @public + */ + Name?: string | undefined; + + /** + *

An optional description for the task.

+ * @public + */ + Description?: string | undefined; + + /** + *

User-provided idempotency token.

+ * @public + */ + ClientToken?: string | undefined; + + /** + *

Indicates whether tasks should continue to run after the cutoff time specified in the + * maintenance windows is reached.

+ *
    + *
  • + *

    + * CONTINUE_TASK: When the cutoff time is reached, any tasks that are running + * continue. The default value.

    + *
  • + *
  • + *

    + * CANCEL_TASK:

    + *
      + *
    • + *

      For Automation, Lambda, Step Functions tasks: When the cutoff + * time is reached, any task invocations that are already running continue, but no new task + * invocations are started.

      + *
    • + *
    • + *

      For Run Command tasks: When the cutoff time is reached, the system sends a CancelCommand operation that attempts to cancel the command associated with the + * task. However, there is no guarantee that the command will be terminated and the underlying + * process stopped.

      + *
    • + *
    + *

    The status for tasks that are not completed is TIMED_OUT.

    + *
  • + *
+ * @public + */ + CutoffBehavior?: MaintenanceWindowTaskCutoffBehavior | undefined; + + /** + *

The CloudWatch alarm you want to apply to your maintenance window task.

+ * @public + */ + AlarmConfiguration?: AlarmConfiguration | undefined; +} + +/** + * @public + */ +export interface RegisterTaskWithMaintenanceWindowResult { + /** + *

The ID of the task in the maintenance window.

+ * @public + */ + WindowTaskId?: string | undefined; +} + +/** + * @public + */ +export interface RemoveTagsFromResourceRequest { + /** + *

The type of resource from which you want to remove a tag.

+ * + *

The ManagedInstance type for this API operation is only for on-premises + * managed nodes. Specify the name of the managed node in the following format: + * mi-ID_number + * . For example, + * mi-1a2b3c4d5e6f.

+ *
+ * @public + */ + ResourceType: ResourceTypeForTagging | undefined; + + /** + *

The ID of the resource from which you want to remove tags. For example:

+ *

ManagedInstance: mi-012345abcde

+ *

MaintenanceWindow: mw-012345abcde

+ *

+ * Automation: example-c160-4567-8519-012345abcde + *

+ *

PatchBaseline: pb-012345abcde

+ *

OpsMetadata object: ResourceID for tagging is created from the Amazon Resource + * Name (ARN) for the object. Specifically, ResourceID is created from the strings that + * come after the word opsmetadata in the ARN. For example, an OpsMetadata object with + * an ARN of arn:aws:ssm:us-east-2:1234567890:opsmetadata/aws/ssm/MyGroup/appmanager + * has a ResourceID of either aws/ssm/MyGroup/appmanager or + * /aws/ssm/MyGroup/appmanager.

+ *

For the Document and Parameter values, use the name of the resource.

+ * + *

The ManagedInstance type for this API operation is only for on-premises + * managed nodes. Specify the name of the managed node in the following format: mi-ID_number. For + * example, mi-1a2b3c4d5e6f.

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

Tag keys that you want to remove from the specified resource.

+ * @public + */ + TagKeys: string[] | undefined; +} + +/** + * @public + */ +export interface RemoveTagsFromResourceResult {} + /** *

The request body of the ResetServiceSetting API operation.

* @public @@ -232,6 +611,7 @@ export const SignalType = { APPROVE: "Approve", REJECT: "Reject", RESUME: "Resume", + REVOKE: "Revoke", START_STEP: "StartStep", STOP_STEP: "StopStep", } as const; @@ -527,6 +907,89 @@ export interface SendCommandResult { Command?: Command | undefined; } +/** + *

The request exceeds the service quota. Service quotas, also referred to as limits, are the maximum number of service resources or operations for your Amazon Web Services account.

+ * @public + */ +export class ServiceQuotaExceededException extends __BaseException { + readonly name: "ServiceQuotaExceededException" = "ServiceQuotaExceededException"; + readonly $fault: "client" = "client"; + Message: string | undefined; + /** + *

The unique ID of the resource referenced in the failed request.

+ * @public + */ + ResourceId?: string | undefined; + + /** + *

The resource type of the resource referenced in the failed request.

+ * @public + */ + ResourceType?: string | undefined; + + /** + *

The quota code recognized by the Amazon Web Services Service Quotas service.

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

The code for the Amazon Web Services service that owns the quota.

+ * @public + */ + ServiceCode: string | undefined; + /** + * @internal + */ + constructor(opts: __ExceptionOptionType) { + super({ + name: "ServiceQuotaExceededException", + $fault: "client", + ...opts, + }); + Object.setPrototypeOf(this, ServiceQuotaExceededException.prototype); + this.Message = opts.Message; + this.ResourceId = opts.ResourceId; + this.ResourceType = opts.ResourceType; + this.QuotaCode = opts.QuotaCode; + this.ServiceCode = opts.ServiceCode; + } +} + +/** + * @public + */ +export interface StartAccessRequestRequest { + /** + *

A brief description explaining why you are requesting access to the node.

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

The node you are requesting access to.

+ * @public + */ + Targets: Target[] | undefined; + + /** + *

Key-value pairs of metadata you want to assign to the access request.

+ * @public + */ + Tags?: Tag[] | undefined; +} + +/** + * @public + */ +export interface StartAccessRequestResponse { + /** + *

The ID of the access request.

+ * @public + */ + AccessRequestId?: string | undefined; +} + /** *

The association isn't valid or doesn't exist.

* @public @@ -1085,35 +1548,6 @@ export interface StartExecutionPreviewResponse { ExecutionPreviewId?: string | undefined; } -/** - *

The request isn't valid. Verify that you entered valid contents for the command and try - * again.

- * @public - */ -export class ValidationException extends __BaseException { - readonly name: "ValidationException" = "ValidationException"; - readonly $fault: "client" = "client"; - Message?: string | undefined; - /** - *

The reason code for the invalid request.

- * @public - */ - ReasonCode?: string | undefined; - /** - * @internal - */ - constructor(opts: __ExceptionOptionType) { - super({ - name: "ValidationException", - $fault: "client", - ...opts, - }); - Object.setPrototypeOf(this, ValidationException.prototype); - this.Message = opts.Message; - this.ReasonCode = opts.ReasonCode; - } -} - /** * @public */ @@ -3388,6 +3822,31 @@ export interface ListNodesSummaryRequest { MaxResults?: number | undefined; } +/** + * @internal + */ +export const RegisterTargetWithMaintenanceWindowRequestFilterSensitiveLog = ( + obj: RegisterTargetWithMaintenanceWindowRequest +): any => ({ + ...obj, + ...(obj.OwnerInformation && { OwnerInformation: SENSITIVE_STRING }), + ...(obj.Description && { Description: SENSITIVE_STRING }), +}); + +/** + * @internal + */ +export const RegisterTaskWithMaintenanceWindowRequestFilterSensitiveLog = ( + obj: RegisterTaskWithMaintenanceWindowRequest +): any => ({ + ...obj, + ...(obj.TaskParameters && { TaskParameters: SENSITIVE_STRING }), + ...(obj.TaskInvocationParameters && { + TaskInvocationParameters: MaintenanceWindowTaskInvocationParametersFilterSensitiveLog(obj.TaskInvocationParameters), + }), + ...(obj.Description && { Description: SENSITIVE_STRING }), +}); + /** * @internal */ diff --git a/clients/client-ssm/src/protocols/Aws_json1_1.ts b/clients/client-ssm/src/protocols/Aws_json1_1.ts index b40d5d83cbcf..5b42d6913513 100644 --- a/clients/client-ssm/src/protocols/Aws_json1_1.ts +++ b/clients/client-ssm/src/protocols/Aws_json1_1.ts @@ -223,6 +223,7 @@ import { DisassociateOpsItemRelatedItemCommandInput, DisassociateOpsItemRelatedItemCommandOutput, } from "../commands/DisassociateOpsItemRelatedItemCommand"; +import { GetAccessTokenCommandInput, GetAccessTokenCommandOutput } from "../commands/GetAccessTokenCommand"; import { GetAutomationExecutionCommandInput, GetAutomationExecutionCommandOutput, @@ -387,6 +388,7 @@ import { SendAutomationSignalCommandOutput, } from "../commands/SendAutomationSignalCommand"; import { SendCommandCommandInput, SendCommandCommandOutput } from "../commands/SendCommandCommand"; +import { StartAccessRequestCommandInput, StartAccessRequestCommandOutput } from "../commands/StartAccessRequestCommand"; import { StartAssociationsOnceCommandInput, StartAssociationsOnceCommandOutput, @@ -458,6 +460,7 @@ import { UpdateServiceSettingCommandOutput, } from "../commands/UpdateServiceSettingCommand"; import { + AccessDeniedException, Activation, AddTagsToResourceRequest, Alarm, @@ -551,7 +554,6 @@ import { DescribeMaintenanceWindowExecutionTaskInvocationsResult, DescribeMaintenanceWindowExecutionTasksRequest, DescribeMaintenanceWindowExecutionTasksResult, - DescribeMaintenanceWindowScheduleRequest, DescribeMaintenanceWindowsRequest, DocumentAlreadyExists, DocumentDescription, @@ -681,7 +683,9 @@ import { ComplianceItemEntry, ComplianceStringFilter, ComplianceTypeCountLimitExceededException, + Credentials, CustomSchemaCountLimitExceededException, + DescribeMaintenanceWindowScheduleRequest, DescribeMaintenanceWindowsForTargetRequest, DescribeMaintenanceWindowTargetsRequest, DescribeMaintenanceWindowTasksRequest, @@ -704,7 +708,8 @@ import { DocumentReviewCommentSource, DocumentReviewerResponseSource, DocumentVersionInfo, - FeatureNotAvailableException, + GetAccessTokenRequest, + GetAccessTokenResponse, GetAutomationExecutionRequest, GetAutomationExecutionResult, GetCalendarStateRequest, @@ -839,9 +844,6 @@ import { PutResourcePolicyRequest, RegisterDefaultPatchBaselineRequest, RegisterPatchBaselineForPatchGroupRequest, - RegisterTargetWithMaintenanceWindowRequest, - RegisterTaskWithMaintenanceWindowRequest, - RemoveTagsFromResourceRequest, ResourceComplianceSummaryItem, ResourceDataSyncItem, ResourcePolicyLimitExceededException, @@ -851,6 +853,7 @@ import { Session, SessionFilter, SubTypeCountLimitExceededException, + ThrottlingException, TotalSizeLimitExceededException, UnsupportedCalendarException, UnsupportedFeatureRequiredException, @@ -858,6 +861,7 @@ import { UnsupportedInventorySchemaVersionException, UnsupportedOperationException, UnsupportedParameterType, + ValidationException, } from "../models/models_1"; import { AssociationVersionLimitExceeded, @@ -872,6 +876,7 @@ import { DuplicateDocumentContent, DuplicateDocumentVersionName, ExecutionInputs, + FeatureNotAvailableException, GetInventoryRequest, GetOpsSummaryRequest, InvalidAssociation, @@ -887,6 +892,9 @@ import { NodeAggregator, OpsAggregator, OpsMetadataKeyLimitExceededException, + RegisterTargetWithMaintenanceWindowRequest, + RegisterTaskWithMaintenanceWindowRequest, + RemoveTagsFromResourceRequest, ResetServiceSettingRequest, ResetServiceSettingResult, ResourceDataSyncConflictException, @@ -894,6 +902,8 @@ import { SendAutomationSignalRequest, SendCommandRequest, SendCommandResult, + ServiceQuotaExceededException, + StartAccessRequestRequest, StartAssociationsOnceRequest, StartAutomationExecutionRequest, StartChangeRequestExecutionRequest, @@ -923,7 +933,6 @@ import { UpdatePatchBaselineResult, UpdateResourceDataSyncRequest, UpdateServiceSettingRequest, - ValidationException, } from "../models/models_2"; import { SSMServiceException as __BaseException } from "../models/SSMServiceException"; @@ -1746,6 +1755,19 @@ export const se_DisassociateOpsItemRelatedItemCommand = async ( return buildHttpRpcRequest(context, headers, "/", undefined, body); }; +/** + * serializeAws_json1_1GetAccessTokenCommand + */ +export const se_GetAccessTokenCommand = async ( + input: GetAccessTokenCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const headers: __HeaderBag = sharedHeaders("GetAccessToken"); + let body: any; + body = JSON.stringify(_json(input)); + return buildHttpRpcRequest(context, headers, "/", undefined, body); +}; + /** * serializeAws_json1_1GetAutomationExecutionCommand */ @@ -2513,6 +2535,19 @@ export const se_SendCommandCommand = async ( return buildHttpRpcRequest(context, headers, "/", undefined, body); }; +/** + * serializeAws_json1_1StartAccessRequestCommand + */ +export const se_StartAccessRequestCommand = async ( + input: StartAccessRequestCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const headers: __HeaderBag = sharedHeaders("StartAccessRequest"); + let body: any; + body = JSON.stringify(_json(input)); + return buildHttpRpcRequest(context, headers, "/", undefined, body); +}; + /** * serializeAws_json1_1StartAssociationsOnceCommand */ @@ -4059,6 +4094,26 @@ export const de_DisassociateOpsItemRelatedItemCommand = async ( return response; }; +/** + * deserializeAws_json1_1GetAccessTokenCommand + */ +export const de_GetAccessTokenCommand = 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 = de_GetAccessTokenResponse(data, context); + const response: GetAccessTokenCommandOutput = { + $metadata: deserializeMetadata(output), + ...contents, + }; + return response; +}; + /** * deserializeAws_json1_1GetAutomationExecutionCommand */ @@ -5239,6 +5294,26 @@ export const de_SendCommandCommand = async ( return response; }; +/** + * deserializeAws_json1_1StartAccessRequestCommand + */ +export const de_StartAccessRequestCommand = 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: StartAccessRequestCommandOutput = { + $metadata: deserializeMetadata(output), + ...contents, + }; + return response; +}; + /** * deserializeAws_json1_1StartAssociationsOnceCommand */ @@ -5911,6 +5986,15 @@ const de_CommandError = async (output: __HttpResponse, context: __SerdeContext): case "OpsItemRelatedItemAssociationNotFoundException": case "com.amazonaws.ssm#OpsItemRelatedItemAssociationNotFoundException": throw await de_OpsItemRelatedItemAssociationNotFoundExceptionRes(parsedOutput, context); + case "AccessDeniedException": + case "com.amazonaws.ssm#AccessDeniedException": + throw await de_AccessDeniedExceptionRes(parsedOutput, context); + case "ThrottlingException": + case "com.amazonaws.ssm#ThrottlingException": + throw await de_ThrottlingExceptionRes(parsedOutput, context); + case "ValidationException": + case "com.amazonaws.ssm#ValidationException": + throw await de_ValidationExceptionRes(parsedOutput, context); case "InvalidDocumentType": case "com.amazonaws.ssm#InvalidDocumentType": throw await de_InvalidDocumentTypeRes(parsedOutput, context); @@ -6043,6 +6127,9 @@ const de_CommandError = async (output: __HttpResponse, context: __SerdeContext): case "InvalidRole": case "com.amazonaws.ssm#InvalidRole": throw await de_InvalidRoleRes(parsedOutput, context); + case "ServiceQuotaExceededException": + case "com.amazonaws.ssm#ServiceQuotaExceededException": + throw await de_ServiceQuotaExceededExceptionRes(parsedOutput, context); case "InvalidAssociation": case "com.amazonaws.ssm#InvalidAssociation": throw await de_InvalidAssociationRes(parsedOutput, context); @@ -6061,9 +6148,6 @@ const de_CommandError = async (output: __HttpResponse, context: __SerdeContext): case "AutomationDefinitionNotApprovedException": case "com.amazonaws.ssm#AutomationDefinitionNotApprovedException": throw await de_AutomationDefinitionNotApprovedExceptionRes(parsedOutput, context); - case "ValidationException": - case "com.amazonaws.ssm#ValidationException": - throw await de_ValidationExceptionRes(parsedOutput, context); case "TargetNotConnected": case "com.amazonaws.ssm#TargetNotConnected": throw await de_TargetNotConnectedRes(parsedOutput, context); @@ -6104,6 +6188,22 @@ const de_CommandError = async (output: __HttpResponse, context: __SerdeContext): } }; +/** + * deserializeAws_json1_1AccessDeniedExceptionRes + */ +const de_AccessDeniedExceptionRes = async ( + parsedOutput: any, + context: __SerdeContext +): Promise => { + const body = parsedOutput.body; + const deserialized: any = _json(body); + const exception = new AccessDeniedException({ + $metadata: deserializeMetadata(parsedOutput), + ...deserialized, + }); + return __decorateServiceException(exception, body); +}; + /** * deserializeAws_json1_1AlreadyExistsExceptionRes */ @@ -7908,6 +8008,22 @@ const de_ResourcePolicyNotFoundExceptionRes = async ( return __decorateServiceException(exception, body); }; +/** + * deserializeAws_json1_1ServiceQuotaExceededExceptionRes + */ +const de_ServiceQuotaExceededExceptionRes = async ( + parsedOutput: any, + context: __SerdeContext +): Promise => { + const body = parsedOutput.body; + const deserialized: any = _json(body); + const exception = new ServiceQuotaExceededException({ + $metadata: deserializeMetadata(parsedOutput), + ...deserialized, + }); + return __decorateServiceException(exception, body); +}; + /** * deserializeAws_json1_1ServiceSettingNotFoundRes */ @@ -7982,6 +8098,19 @@ const de_TargetNotConnectedRes = async (parsedOutput: any, context: __SerdeConte return __decorateServiceException(exception, body); }; +/** + * deserializeAws_json1_1ThrottlingExceptionRes + */ +const de_ThrottlingExceptionRes = async (parsedOutput: any, context: __SerdeContext): Promise => { + const body = parsedOutput.body; + const deserialized: any = _json(body); + const exception = new ThrottlingException({ + $metadata: deserializeMetadata(parsedOutput), + ...deserialized, + }); + return __decorateServiceException(exception, body); +}; + /** * deserializeAws_json1_1TooManyTagsErrorRes */ @@ -8497,6 +8626,8 @@ const se_DeleteInventoryRequest = (input: DeleteInventoryRequest, context: __Ser // se_ExecutionInputs omitted. +// se_GetAccessTokenRequest omitted. + // se_GetAutomationExecutionRequest omitted. // se_GetCalendarStateRequest omitted. @@ -9026,6 +9157,8 @@ const se_RegisterTaskWithMaintenanceWindowRequest = ( // se_SessionManagerParameterValueList omitted. +// se_StartAccessRequestRequest omitted. + // se_StartAssociationsOnceRequest omitted. // se_StartAutomationExecutionRequest omitted. @@ -9174,6 +9307,8 @@ const se_UpdateOpsItemRequest = (input: UpdateOpsItemRequest, context: __SerdeCo // se_UpdateServiceSettingRequest omitted. +// de_AccessDeniedException omitted. + // de_AccountIdList omitted. // de_Accounts omitted. @@ -9775,6 +9910,18 @@ const de_CreateDocumentResult = (output: any, context: __SerdeContext): CreateDo // de_CreateResourceDataSyncResult omitted. +/** + * deserializeAws_json1_1Credentials + */ +const de_Credentials = (output: any, context: __SerdeContext): Credentials => { + return take(output, { + AccessKeyId: __expectString, + ExpirationTime: (_: any) => __expectNonNull(__parseEpochTimestamp(__expectNumber(_))), + SecretAccessKey: __expectString, + SessionToken: __expectString, + }) as any; +}; + // de_CustomSchemaCountLimitExceededException omitted. // de_DeleteActivationResult omitted. @@ -10295,6 +10442,16 @@ const de_EffectivePatchList = (output: any, context: __SerdeContext): EffectiveP // de_FeatureNotAvailableException omitted. +/** + * deserializeAws_json1_1GetAccessTokenResponse + */ +const de_GetAccessTokenResponse = (output: any, context: __SerdeContext): GetAccessTokenResponse => { + return take(output, { + AccessRequestStatus: __expectString, + Credentials: (_: any) => de_Credentials(_, context), + }) as any; +}; + /** * deserializeAws_json1_1GetAutomationExecutionResult */ @@ -11929,6 +12086,8 @@ const de_SendCommandResult = (output: any, context: __SerdeContext): SendCommand }) as any; }; +// de_ServiceQuotaExceededException omitted. + /** * deserializeAws_json1_1ServiceSetting */ @@ -11980,6 +12139,8 @@ const de_SessionList = (output: any, context: __SerdeContext): Session[] => { // de_SeveritySummary omitted. +// de_StartAccessRequestResponse omitted. + // de_StartAssociationsOnceResult omitted. // de_StartAutomationExecutionResult omitted. @@ -12074,6 +12235,8 @@ const de_StepExecutionList = (output: any, context: __SerdeContext): StepExecuti // de_TerminateSessionResponse omitted. +// de_ThrottlingException omitted. + // de_TooManyTagsError omitted. // de_TooManyUpdates omitted. diff --git a/codegen/sdk-codegen/aws-models/ssm.json b/codegen/sdk-codegen/aws-models/ssm.json index 4ba9356b3cbf..d5e56ad2a7e0 100644 --- a/codegen/sdk-codegen/aws-models/ssm.json +++ b/codegen/sdk-codegen/aws-models/ssm.json @@ -29,6 +29,74 @@ ] }, "shapes": { + "com.amazonaws.ssm#AccessDeniedException": { + "type": "structure", + "members": { + "Message": { + "target": "com.amazonaws.ssm#String", + "traits": { + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#documentation": "

The requester doesn't have permissions to perform the requested operation.

", + "smithy.api#error": "client" + } + }, + "com.amazonaws.ssm#AccessKeyIdType": { + "type": "string", + "traits": { + "smithy.api#pattern": "^\\w{16,128}$" + } + }, + "com.amazonaws.ssm#AccessKeySecretType": { + "type": "string", + "traits": { + "smithy.api#sensitive": {} + } + }, + "com.amazonaws.ssm#AccessRequestId": { + "type": "string", + "traits": { + "smithy.api#pattern": "^(oi)-[0-9a-f]{12}$" + } + }, + "com.amazonaws.ssm#AccessRequestStatus": { + "type": "enum", + "members": { + "APPROVED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Approved" + } + }, + "REJECTED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Rejected" + } + }, + "REVOKED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Revoked" + } + }, + "EXPIRED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Expired" + } + }, + "PENDING": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Pending" + } + } + } + }, "com.amazonaws.ssm#Account": { "type": "string" }, @@ -602,6 +670,9 @@ { "target": "com.amazonaws.ssm#DisassociateOpsItemRelatedItem" }, + { + "target": "com.amazonaws.ssm#GetAccessToken" + }, { "target": "com.amazonaws.ssm#GetAutomationExecution" }, @@ -779,6 +850,9 @@ { "target": "com.amazonaws.ssm#SendCommand" }, + { + "target": "com.amazonaws.ssm#StartAccessRequest" + }, { "target": "com.amazonaws.ssm#StartAssociationsOnce" }, @@ -4219,6 +4293,12 @@ "traits": { "smithy.api#enumValue": "ChangeRequest" } + }, + "AccessRequest": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "AccessRequest" + } } } }, @@ -6931,6 +7011,42 @@ "com.amazonaws.ssm#CreatedDate": { "type": "timestamp" }, + "com.amazonaws.ssm#Credentials": { + "type": "structure", + "members": { + "AccessKeyId": { + "target": "com.amazonaws.ssm#AccessKeyIdType", + "traits": { + "smithy.api#documentation": "

The access key ID that identifies the temporary security credentials.

", + "smithy.api#required": {} + } + }, + "SecretAccessKey": { + "target": "com.amazonaws.ssm#AccessKeySecretType", + "traits": { + "smithy.api#documentation": "

The secret access key that can be used to sign requests.

", + "smithy.api#required": {} + } + }, + "SessionToken": { + "target": "com.amazonaws.ssm#SessionTokenType", + "traits": { + "smithy.api#documentation": "

The token that users must pass to the service API to use the temporary credentials.

", + "smithy.api#required": {} + } + }, + "ExpirationTime": { + "target": "com.amazonaws.ssm#DateTime", + "traits": { + "smithy.api#documentation": "

The datetime on which the current credentials expire.

", + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#documentation": "

The temporary security credentials, which include an access key ID, a secret access key, and a security (or session) token.

" + } + }, "com.amazonaws.ssm#CustomSchemaCountLimitExceededException": { "type": "structure", "members": { @@ -11698,6 +11814,18 @@ "traits": { "smithy.api#enumValue": "QuickSetup" } + }, + "ManualApprovalPolicy": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "ManualApprovalPolicy" + } + }, + "AutoApprovalPolicy": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "AutoApprovalPolicy" + } } } }, @@ -12167,6 +12295,70 @@ "smithy.api#error": "client" } }, + "com.amazonaws.ssm#GetAccessToken": { + "type": "operation", + "input": { + "target": "com.amazonaws.ssm#GetAccessTokenRequest" + }, + "output": { + "target": "com.amazonaws.ssm#GetAccessTokenResponse" + }, + "errors": [ + { + "target": "com.amazonaws.ssm#AccessDeniedException" + }, + { + "target": "com.amazonaws.ssm#InternalServerError" + }, + { + "target": "com.amazonaws.ssm#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.ssm#ThrottlingException" + }, + { + "target": "com.amazonaws.ssm#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

Returns a credentials set to be used with just-in-time node access.

" + } + }, + "com.amazonaws.ssm#GetAccessTokenRequest": { + "type": "structure", + "members": { + "AccessRequestId": { + "target": "com.amazonaws.ssm#AccessRequestId", + "traits": { + "smithy.api#documentation": "

The ID of a just-in-time node access request.

", + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.ssm#GetAccessTokenResponse": { + "type": "structure", + "members": { + "Credentials": { + "target": "com.amazonaws.ssm#Credentials", + "traits": { + "smithy.api#documentation": "

The temporary security credentials which can be used to start just-in-time node access sessions.

" + } + }, + "AccessRequestStatus": { + "target": "com.amazonaws.ssm#AccessRequestStatus", + "traits": { + "smithy.api#documentation": "

The status of the access request.

" + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, "com.amazonaws.ssm#GetAutomationExecution": { "type": "operation", "input": { @@ -22410,6 +22602,60 @@ "smithy.api#enumValue": "OpsItemType" } }, + "ACCESS_REQUEST_REQUESTER_ARN": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "AccessRequestByRequesterArn" + } + }, + "ACCESS_REQUEST_REQUESTER_ID": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "AccessRequestByRequesterId" + } + }, + "ACCESS_REQUEST_APPROVER_ARN": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "AccessRequestByApproverArn" + } + }, + "ACCESS_REQUEST_APPROVER_ID": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "AccessRequestByApproverId" + } + }, + "ACCESS_REQUEST_SOURCE_ACCOUNT_ID": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "AccessRequestBySourceAccountId" + } + }, + "ACCESS_REQUEST_SOURCE_OPS_ITEM_ID": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "AccessRequestBySourceOpsItemId" + } + }, + "ACCESS_REQUEST_SOURCE_REGION": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "AccessRequestBySourceRegion" + } + }, + "ACCESS_REQUEST_IS_REPLICA": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "AccessRequestByIsReplica" + } + }, + "ACCESS_REQUEST_TARGET_RESOURCE_ID": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "AccessRequestByTargetResourceId" + } + }, "CHANGE_REQUEST_REQUESTER_ARN": { "target": "smithy.api#Unit", "traits": { @@ -22970,6 +23216,12 @@ "smithy.api#enumValue": "Approved" } }, + "REVOKED": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Revoked" + } + }, "REJECTED": { "target": "smithy.api#Unit", "traits": { @@ -27979,6 +28231,47 @@ "smithy.api#output": {} } }, + "com.amazonaws.ssm#ServiceQuotaExceededException": { + "type": "structure", + "members": { + "Message": { + "target": "com.amazonaws.ssm#String", + "traits": { + "smithy.api#required": {} + } + }, + "ResourceId": { + "target": "com.amazonaws.ssm#String", + "traits": { + "smithy.api#documentation": "

The unique ID of the resource referenced in the failed request.

" + } + }, + "ResourceType": { + "target": "com.amazonaws.ssm#String", + "traits": { + "smithy.api#documentation": "

The resource type of the resource referenced in the failed request.

" + } + }, + "QuotaCode": { + "target": "com.amazonaws.ssm#String", + "traits": { + "smithy.api#documentation": "

The quota code recognized by the Amazon Web Services Service Quotas service.

", + "smithy.api#required": {} + } + }, + "ServiceCode": { + "target": "com.amazonaws.ssm#String", + "traits": { + "smithy.api#documentation": "

The code for the Amazon Web Services service that owns the quota.

", + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#documentation": "

The request exceeds the service quota. Service quotas, also referred to as limits, are the maximum number of service resources or operations for your Amazon Web Services account.

", + "smithy.api#error": "client" + } + }, "com.amazonaws.ssm#ServiceRole": { "type": "string" }, @@ -28408,6 +28701,12 @@ } } }, + "com.amazonaws.ssm#SessionTokenType": { + "type": "string", + "traits": { + "smithy.api#sensitive": {} + } + }, "com.amazonaws.ssm#SeveritySummary": { "type": "structure", "members": { @@ -28501,6 +28800,12 @@ "traits": { "smithy.api#enumValue": "Resume" } + }, + "REVOKE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "Revoke" + } } } }, @@ -28568,6 +28873,80 @@ } } }, + "com.amazonaws.ssm#StartAccessRequest": { + "type": "operation", + "input": { + "target": "com.amazonaws.ssm#StartAccessRequestRequest" + }, + "output": { + "target": "com.amazonaws.ssm#StartAccessRequestResponse" + }, + "errors": [ + { + "target": "com.amazonaws.ssm#AccessDeniedException" + }, + { + "target": "com.amazonaws.ssm#InternalServerError" + }, + { + "target": "com.amazonaws.ssm#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.ssm#ServiceQuotaExceededException" + }, + { + "target": "com.amazonaws.ssm#ThrottlingException" + }, + { + "target": "com.amazonaws.ssm#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

Starts the workflow for just-in-time node access sessions.

" + } + }, + "com.amazonaws.ssm#StartAccessRequestRequest": { + "type": "structure", + "members": { + "Reason": { + "target": "com.amazonaws.ssm#String1to256", + "traits": { + "smithy.api#documentation": "

A brief description explaining why you are requesting access to the node.

", + "smithy.api#required": {} + } + }, + "Targets": { + "target": "com.amazonaws.ssm#Targets", + "traits": { + "smithy.api#documentation": "

The node you are requesting access to.

", + "smithy.api#required": {} + } + }, + "Tags": { + "target": "com.amazonaws.ssm#TagList", + "traits": { + "smithy.api#documentation": "

Key-value pairs of metadata you want to assign to the access request.

" + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.ssm#StartAccessRequestResponse": { + "type": "structure", + "members": { + "AccessRequestId": { + "target": "com.amazonaws.ssm#AccessRequestId", + "traits": { + "smithy.api#documentation": "

The ID of the access request.

" + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, "com.amazonaws.ssm#StartAssociationsOnce": { "type": "operation", "input": { @@ -29434,6 +29813,15 @@ "com.amazonaws.ssm#String": { "type": "string" }, + "com.amazonaws.ssm#String1to256": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 256 + } + } + }, "com.amazonaws.ssm#StringDateTime": { "type": "string", "traits": { @@ -29853,6 +30241,33 @@ "smithy.api#output": {} } }, + "com.amazonaws.ssm#ThrottlingException": { + "type": "structure", + "members": { + "Message": { + "target": "com.amazonaws.ssm#String", + "traits": { + "smithy.api#required": {} + } + }, + "QuotaCode": { + "target": "com.amazonaws.ssm#String", + "traits": { + "smithy.api#documentation": "

The quota code recognized by the Amazon Web Services Service Quotas service.

" + } + }, + "ServiceCode": { + "target": "com.amazonaws.ssm#String", + "traits": { + "smithy.api#documentation": "

The code for the Amazon Web Services service that owns the quota.

" + } + } + }, + "traits": { + "smithy.api#documentation": "

The request or operation couldn't be performed because the service is throttling requests.

", + "smithy.api#error": "client" + } + }, "com.amazonaws.ssm#TimeoutSeconds": { "type": "integer", "traits": { From 08cb9ed346c543d029d03438302ae065684fba67 Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 29 Apr 2025 18:10:01 +0000 Subject: [PATCH 04/12] feat(client-sagemaker-metrics): SageMaker Metrics Service now supports FIPS endpoint in all US and Canada Commercial regions. --- .../src/endpoint/ruleset.ts | 34 +- .../aws-models/sagemaker-metrics.json | 792 +++++++++++++----- 2 files changed, 623 insertions(+), 203 deletions(-) diff --git a/clients/client-sagemaker-metrics/src/endpoint/ruleset.ts b/clients/client-sagemaker-metrics/src/endpoint/ruleset.ts index 6a5ba96eb82d..5babbf1c0768 100644 --- a/clients/client-sagemaker-metrics/src/endpoint/ruleset.ts +++ b/clients/client-sagemaker-metrics/src/endpoint/ruleset.ts @@ -6,10 +6,10 @@ import { RuleSetObject } from "@smithy/types"; or see "smithy.rules#endpointRuleSet" in codegen/sdk-codegen/aws-models/sagemaker-metrics.json */ -const s="required", -t="fn", -u="argv", -v="ref"; +const u="required", +v="fn", +w="argv", +x="ref"; const a=true, b="isSet", c="booleanEquals", @@ -17,16 +17,18 @@ 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://metrics.sagemaker-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://metrics.sagemaker-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://metrics.sagemaker.{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://metrics.sagemaker.{Region}.{PartitionResult#dnsSuffix}",properties:m,headers:m},type:e}],type:f}],type:f}],type:f},{error:"Invalid Configuration: Missing Region",type:d}],type:f}]}; +h="getAttr", +i={[u]:false,"type":"String"}, +j={[u]:true,"default":false,"type":"Boolean"}, +k={[x]:"Endpoint"}, +l={[v]:c,[w]:[{[x]:"UseFIPS"},true]}, +m={[v]:c,[w]:[{[x]:"UseDualStack"},true]}, +n={}, +o={[v]:h,[w]:[{[x]:g},"supportsFIPS"]}, +p={[x]:g}, +q={[v]:c,[w]:[true,{[v]:h,[w]:[p,"supportsDualStack"]}]}, +r=[l], +s=[m], +t=[{[x]:"Region"}]; +const _data={version:"1.0",parameters:{Region:i,UseDualStack:j,UseFIPS:j,Endpoint:i},rules:[{conditions:[{[v]:b,[w]:[k]}],rules:[{conditions:r,error:"Invalid Configuration: FIPS and custom endpoint are not supported",type:d},{conditions:s,error:"Invalid Configuration: Dualstack and custom endpoint are not supported",type:d},{endpoint:{url:k,properties:n,headers:n},type:e}],type:f},{conditions:[{[v]:b,[w]:t}],rules:[{conditions:[{[v]:"aws.partition",[w]:t,assign:g}],rules:[{conditions:[l,m],rules:[{conditions:[{[v]:c,[w]:[a,o]},q],rules:[{endpoint:{url:"https://metrics.sagemaker-fips.{Region}.{PartitionResult#dualStackDnsSuffix}",properties:n,headers:n},type:e}],type:f},{error:"FIPS and DualStack are enabled, but this partition does not support one or both",type:d}],type:f},{conditions:r,rules:[{conditions:[{[v]:c,[w]:[o,a]}],rules:[{conditions:[{[v]:"stringEquals",[w]:[{[v]:h,[w]:[p,"name"]},"aws"]}],endpoint:{url:"https://metrics-fips.sagemaker.{Region}.amazonaws.com",properties:n,headers:n},type:e},{endpoint:{url:"https://metrics.sagemaker-fips.{Region}.{PartitionResult#dnsSuffix}",properties:n,headers:n},type:e}],type:f},{error:"FIPS is enabled but this partition does not support FIPS",type:d}],type:f},{conditions:s,rules:[{conditions:[q],rules:[{endpoint:{url:"https://metrics.sagemaker.{Region}.{PartitionResult#dualStackDnsSuffix}",properties:n,headers:n},type:e}],type:f},{error:"DualStack is enabled but this partition does not support DualStack",type:d}],type:f},{endpoint:{url:"https://metrics.sagemaker.{Region}.{PartitionResult#dnsSuffix}",properties:n,headers:n},type:e}],type:f}],type:f},{error:"Invalid Configuration: Missing Region",type:d}]}; export const ruleSet: RuleSetObject = _data; diff --git a/codegen/sdk-codegen/aws-models/sagemaker-metrics.json b/codegen/sdk-codegen/aws-models/sagemaker-metrics.json index e9d562d3c552..62ef191cec99 100644 --- a/codegen/sdk-codegen/aws-models/sagemaker-metrics.json +++ b/codegen/sdk-codegen/aws-models/sagemaker-metrics.json @@ -592,65 +592,78 @@ "type": "error" }, { - "conditions": [], - "rules": [ + "conditions": [ { - "conditions": [ + "fn": "booleanEquals", + "argv": [ { - "fn": "booleanEquals", - "argv": [ - { - "ref": "UseDualStack" - }, - true - ] - } - ], - "error": "Invalid Configuration: Dualstack and custom endpoint are not supported", - "type": "error" - }, - { - "conditions": [], - "endpoint": { - "url": { - "ref": "Endpoint" + "ref": "UseDualStack" }, - "properties": {}, - "headers": {} - }, - "type": "endpoint" + true + ] } ], - "type": "tree" + "error": "Invalid Configuration: Dualstack and custom endpoint are not supported", + "type": "error" + }, + { + "conditions": [], + "endpoint": { + "url": { + "ref": "Endpoint" + }, + "properties": {}, + "headers": {} + }, + "type": "endpoint" } ], "type": "tree" }, { - "conditions": [], + "conditions": [ + { + "fn": "isSet", + "argv": [ + { + "ref": "Region" + } + ] + } + ], "rules": [ { "conditions": [ { - "fn": "isSet", + "fn": "aws.partition", "argv": [ { "ref": "Region" } - ] + ], + "assign": "PartitionResult" } ], "rules": [ { "conditions": [ { - "fn": "aws.partition", + "fn": "booleanEquals", "argv": [ { - "ref": "Region" - } - ], - "assign": "PartitionResult" + "ref": "UseFIPS" + }, + true + ] + }, + { + "fn": "booleanEquals", + "argv": [ + { + "ref": "UseDualStack" + }, + true + ] } ], "rules": [ @@ -659,90 +672,81 @@ { "fn": "booleanEquals", "argv": [ + true, { - "ref": "UseFIPS" - }, - true + "fn": "getAttr", + "argv": [ + { + "ref": "PartitionResult" + }, + "supportsFIPS" + ] + } ] }, { "fn": "booleanEquals", "argv": [ + true, { - "ref": "UseDualStack" - }, - true - ] - } - ], - "rules": [ - { - "conditions": [ - { - "fn": "booleanEquals", - "argv": [ - true, - { - "fn": "getAttr", - "argv": [ - { - "ref": "PartitionResult" - }, - "supportsFIPS" - ] - } - ] - }, - { - "fn": "booleanEquals", + "fn": "getAttr", "argv": [ - true, { - "fn": "getAttr", - "argv": [ - { - "ref": "PartitionResult" - }, - "supportsDualStack" - ] - } + "ref": "PartitionResult" + }, + "supportsDualStack" ] } - ], - "rules": [ - { - "conditions": [], - "rules": [ - { - "conditions": [], - "endpoint": { - "url": "https://metrics.sagemaker-fips.{Region}.{PartitionResult#dualStackDnsSuffix}", - "properties": {}, - "headers": {} - }, - "type": "endpoint" - } - ], - "type": "tree" - } - ], - "type": "tree" - }, + ] + } + ], + "rules": [ { "conditions": [], - "error": "FIPS and DualStack are enabled, but this partition does not support one or both", - "type": "error" + "endpoint": { + "url": "https://metrics.sagemaker-fips.{Region}.{PartitionResult#dualStackDnsSuffix}", + "properties": {}, + "headers": {} + }, + "type": "endpoint" } ], "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": [ { - "ref": "UseFIPS" + "fn": "getAttr", + "argv": [ + { + "ref": "PartitionResult" + }, + "supportsFIPS" + ] }, true ] @@ -752,7 +756,7 @@ { "conditions": [ { - "fn": "booleanEquals", + "fn": "stringEquals", "argv": [ { "fn": "getAttr", @@ -760,105 +764,76 @@ { "ref": "PartitionResult" }, - "supportsFIPS" + "name" ] }, - true + "aws" ] } ], - "rules": [ - { - "conditions": [], - "rules": [ - { - "conditions": [], - "endpoint": { - "url": "https://metrics.sagemaker-fips.{Region}.{PartitionResult#dnsSuffix}", - "properties": {}, - "headers": {} - }, - "type": "endpoint" - } - ], - "type": "tree" - } - ], - "type": "tree" + "endpoint": { + "url": "https://metrics-fips.sagemaker.{Region}.amazonaws.com", + "properties": {}, + "headers": {} + }, + "type": "endpoint" }, { "conditions": [], - "error": "FIPS is enabled but this partition does not support FIPS", - "type": "error" + "endpoint": { + "url": "https://metrics.sagemaker-fips.{Region}.{PartitionResult#dnsSuffix}", + "properties": {}, + "headers": {} + }, + "type": "endpoint" } ], "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, { - "ref": "UseDualStack" - }, - true - ] - } - ], - "rules": [ - { - "conditions": [ - { - "fn": "booleanEquals", + "fn": "getAttr", "argv": [ - true, { - "fn": "getAttr", - "argv": [ - { - "ref": "PartitionResult" - }, - "supportsDualStack" - ] - } + "ref": "PartitionResult" + }, + "supportsDualStack" ] } - ], - "rules": [ - { - "conditions": [], - "rules": [ - { - "conditions": [], - "endpoint": { - "url": "https://metrics.sagemaker.{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://metrics.sagemaker.{Region}.{PartitionResult#dnsSuffix}", + "url": "https://metrics.sagemaker.{Region}.{PartitionResult#dualStackDnsSuffix}", "properties": {}, "headers": {} }, @@ -866,77 +841,520 @@ } ], "type": "tree" + }, + { + "conditions": [], + "error": "DualStack is enabled but this partition does not support DualStack", + "type": "error" } ], "type": "tree" + }, + { + "conditions": [], + "endpoint": { + "url": "https://metrics.sagemaker.{Region}.{PartitionResult#dnsSuffix}", + "properties": {}, + "headers": {} + }, + "type": "endpoint" } ], "type": "tree" - }, - { - "conditions": [], - "error": "Invalid Configuration: Missing Region", - "type": "error" } ], "type": "tree" + }, + { + "conditions": [], + "error": "Invalid Configuration: Missing Region", + "type": "error" } ] }, "smithy.rules#endpointTests": { "testCases": [ { - "documentation": "For region us-east-1 with FIPS enabled and DualStack enabled", + "documentation": "For region af-south-1 with FIPS disabled and DualStack disabled", "expect": { "endpoint": { - "url": "https://metrics.sagemaker-fips.us-east-1.api.aws" + "url": "https://metrics.sagemaker.af-south-1.amazonaws.com" } }, "params": { - "Region": "us-east-1", - "UseFIPS": true, - "UseDualStack": true + "Region": "af-south-1", + "UseFIPS": false, + "UseDualStack": false } }, { - "documentation": "For region us-east-1 with FIPS enabled and DualStack disabled", + "documentation": "For region ap-east-1 with FIPS disabled and DualStack disabled", "expect": { "endpoint": { - "url": "https://metrics.sagemaker-fips.us-east-1.amazonaws.com" + "url": "https://metrics.sagemaker.ap-east-1.amazonaws.com" } }, "params": { - "Region": "us-east-1", - "UseFIPS": true, + "Region": "ap-east-1", + "UseFIPS": false, "UseDualStack": false } }, { - "documentation": "For region us-east-1 with FIPS disabled and DualStack enabled", + "documentation": "For region ap-northeast-1 with FIPS disabled and DualStack disabled", "expect": { "endpoint": { - "url": "https://metrics.sagemaker.us-east-1.api.aws" + "url": "https://metrics.sagemaker.ap-northeast-1.amazonaws.com" } }, "params": { - "Region": "us-east-1", + "Region": "ap-northeast-1", "UseFIPS": false, - "UseDualStack": true + "UseDualStack": false } }, { - "documentation": "For region us-east-1 with FIPS disabled and DualStack disabled", + "documentation": "For region ap-northeast-2 with FIPS disabled and DualStack disabled", "expect": { "endpoint": { - "url": "https://metrics.sagemaker.us-east-1.amazonaws.com" + "url": "https://metrics.sagemaker.ap-northeast-2.amazonaws.com" } }, "params": { - "Region": "us-east-1", + "Region": "ap-northeast-2", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region ap-northeast-3 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.ap-northeast-3.amazonaws.com" + } + }, + "params": { + "Region": "ap-northeast-3", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region ap-south-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.ap-south-1.amazonaws.com" + } + }, + "params": { + "Region": "ap-south-1", "UseFIPS": false, "UseDualStack": false } }, + { + "documentation": "For region ap-south-2 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.ap-south-2.amazonaws.com" + } + }, + "params": { + "Region": "ap-south-2", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region ap-southeast-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.ap-southeast-1.amazonaws.com" + } + }, + "params": { + "Region": "ap-southeast-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region ap-southeast-2 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.ap-southeast-2.amazonaws.com" + } + }, + "params": { + "Region": "ap-southeast-2", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region ap-southeast-3 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.ap-southeast-3.amazonaws.com" + } + }, + "params": { + "Region": "ap-southeast-3", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region ap-southeast-4 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.ap-southeast-4.amazonaws.com" + } + }, + "params": { + "Region": "ap-southeast-4", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region ca-central-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.ca-central-1.amazonaws.com" + } + }, + "params": { + "Region": "ca-central-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region ca-central-1 with FIPS enabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics-fips.sagemaker.ca-central-1.amazonaws.com" + } + }, + "params": { + "Region": "ca-central-1", + "UseFIPS": true, + "UseDualStack": false + } + }, + { + "documentation": "For region ca-west-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.ca-west-1.amazonaws.com" + } + }, + "params": { + "Region": "ca-west-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region ca-west-1 with FIPS enabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics-fips.sagemaker.ca-west-1.amazonaws.com" + } + }, + "params": { + "Region": "ca-west-1", + "UseFIPS": true, + "UseDualStack": false + } + }, + { + "documentation": "For region eu-central-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.eu-central-1.amazonaws.com" + } + }, + "params": { + "Region": "eu-central-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region eu-central-2 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.eu-central-2.amazonaws.com" + } + }, + "params": { + "Region": "eu-central-2", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region eu-north-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.eu-north-1.amazonaws.com" + } + }, + "params": { + "Region": "eu-north-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region eu-south-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.eu-south-1.amazonaws.com" + } + }, + "params": { + "Region": "eu-south-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region eu-south-2 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.eu-south-2.amazonaws.com" + } + }, + "params": { + "Region": "eu-south-2", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region eu-west-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.eu-west-1.amazonaws.com" + } + }, + "params": { + "Region": "eu-west-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region eu-west-2 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.eu-west-2.amazonaws.com" + } + }, + "params": { + "Region": "eu-west-2", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region eu-west-3 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.eu-west-3.amazonaws.com" + } + }, + "params": { + "Region": "eu-west-3", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region il-central-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.il-central-1.amazonaws.com" + } + }, + "params": { + "Region": "il-central-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region me-central-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.me-central-1.amazonaws.com" + } + }, + "params": { + "Region": "me-central-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region me-south-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.me-south-1.amazonaws.com" + } + }, + "params": { + "Region": "me-south-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region sa-east-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.sa-east-1.amazonaws.com" + } + }, + "params": { + "Region": "sa-east-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region us-east-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.us-east-1.amazonaws.com" + } + }, + "params": { + "Region": "us-east-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region us-east-1 with FIPS enabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics-fips.sagemaker.us-east-1.amazonaws.com" + } + }, + "params": { + "Region": "us-east-1", + "UseFIPS": true, + "UseDualStack": false + } + }, + { + "documentation": "For region us-east-2 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.us-east-2.amazonaws.com" + } + }, + "params": { + "Region": "us-east-2", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region us-east-2 with FIPS enabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics-fips.sagemaker.us-east-2.amazonaws.com" + } + }, + "params": { + "Region": "us-east-2", + "UseFIPS": true, + "UseDualStack": false + } + }, + { + "documentation": "For region us-west-1 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.us-west-1.amazonaws.com" + } + }, + "params": { + "Region": "us-west-1", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region us-west-1 with FIPS enabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics-fips.sagemaker.us-west-1.amazonaws.com" + } + }, + "params": { + "Region": "us-west-1", + "UseFIPS": true, + "UseDualStack": false + } + }, + { + "documentation": "For region us-west-2 with FIPS disabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.us-west-2.amazonaws.com" + } + }, + "params": { + "Region": "us-west-2", + "UseFIPS": false, + "UseDualStack": false + } + }, + { + "documentation": "For region us-west-2 with FIPS enabled and DualStack disabled", + "expect": { + "endpoint": { + "url": "https://metrics-fips.sagemaker.us-west-2.amazonaws.com" + } + }, + "params": { + "Region": "us-west-2", + "UseFIPS": true, + "UseDualStack": false + } + }, + { + "documentation": "For region us-east-1 with FIPS enabled and DualStack enabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker-fips.us-east-1.api.aws" + } + }, + "params": { + "Region": "us-east-1", + "UseFIPS": true, + "UseDualStack": true + } + }, + { + "documentation": "For region us-east-1 with FIPS disabled and DualStack enabled", + "expect": { + "endpoint": { + "url": "https://metrics.sagemaker.us-east-1.api.aws" + } + }, + "params": { + "Region": "us-east-1", + "UseFIPS": false, + "UseDualStack": true + } + }, { "documentation": "For region cn-north-1 with FIPS enabled and DualStack enabled", "expect": { From 73c2247ee6fa8f45f4ae610ba81f22c9558bb4dd Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 29 Apr 2025 18:10:02 +0000 Subject: [PATCH 05/12] feat(client-pinpoint-sms-voice-v2): AWS End User Messaging has added MONITOR and FILTER functionality to SMS Protect. --- .../client-pinpoint-sms-voice-v2/README.md | 34 +- .../src/PinpointSMSVoiceV2.ts | 34 +- .../src/PinpointSMSVoiceV2Client.ts | 34 +- .../AssociateOriginationIdentityCommand.ts | 20 +- .../AssociateProtectConfigurationCommand.ts | 19 +- .../commands/CreateConfigurationSetCommand.ts | 20 +- .../commands/CreateEventDestinationCommand.ts | 24 +- .../src/commands/CreateOptOutListCommand.ts | 23 +- .../src/commands/CreatePoolCommand.ts | 24 +- .../CreateProtectConfigurationCommand.ts | 12 +- .../CreateRegistrationAssociationCommand.ts | 14 +- .../CreateRegistrationAttachmentCommand.ts | 20 +- .../src/commands/CreateRegistrationCommand.ts | 14 +- .../CreateRegistrationVersionCommand.ts | 14 +- .../CreateVerifiedDestinationNumberCommand.ts | 17 +- ...countDefaultProtectConfigurationCommand.ts | 9 +- .../commands/DeleteConfigurationSetCommand.ts | 14 +- .../DeleteDefaultMessageTypeCommand.ts | 16 +- .../commands/DeleteDefaultSenderIdCommand.ts | 14 +- .../commands/DeleteEventDestinationCommand.ts | 15 +- .../src/commands/DeleteKeywordCommand.ts | 22 +- ...teMediaMessageSpendLimitOverrideCommand.ts | 15 +- .../src/commands/DeleteOptOutListCommand.ts | 19 +- .../commands/DeleteOptedOutNumberCommand.ts | 20 +- .../src/commands/DeletePoolCommand.ts | 22 +- .../DeleteProtectConfigurationCommand.ts | 14 +- ...nfigurationRuleSetNumberOverrideCommand.ts | 9 +- .../DeleteRegistrationAttachmentCommand.ts | 14 +- .../src/commands/DeleteRegistrationCommand.ts | 14 +- .../DeleteRegistrationFieldValueCommand.ts | 14 +- .../commands/DeleteResourcePolicyCommand.ts | 9 +- ...eteTextMessageSpendLimitOverrideCommand.ts | 15 +- .../DeleteVerifiedDestinationNumberCommand.ts | 14 +- ...teVoiceMessageSpendLimitOverrideCommand.ts | 15 +- .../DescribeAccountAttributesCommand.ts | 17 +- .../commands/DescribeAccountLimitsCommand.ts | 17 +- .../DescribeConfigurationSetsCommand.ts | 17 +- .../src/commands/DescribeKeywordsCommand.ts | 18 +- .../commands/DescribeOptOutListsCommand.ts | 16 +- .../DescribeOptedOutNumbersCommand.ts | 18 +- .../commands/DescribePhoneNumbersCommand.ts | 17 +- .../src/commands/DescribePoolsCommand.ts | 20 +- .../DescribeProtectConfigurationsCommand.ts | 9 +- .../DescribeRegistrationAttachmentsCommand.ts | 9 +- ...ribeRegistrationFieldDefinitionsCommand.ts | 9 +- .../DescribeRegistrationFieldValuesCommand.ts | 9 +- ...beRegistrationSectionDefinitionsCommand.ts | 9 +- ...cribeRegistrationTypeDefinitionsCommand.ts | 9 +- .../DescribeRegistrationVersionsCommand.ts | 9 +- .../commands/DescribeRegistrationsCommand.ts | 9 +- .../src/commands/DescribeSenderIdsCommand.ts | 16 +- .../commands/DescribeSpendLimitsCommand.ts | 17 +- ...scribeVerifiedDestinationNumbersCommand.ts | 9 +- .../DisassociateOriginationIdentityCommand.ts | 18 +- ...DisassociateProtectConfigurationCommand.ts | 14 +- .../DiscardRegistrationVersionCommand.ts | 14 +- ...otectConfigurationCountryRuleSetCommand.ts | 9 +- .../src/commands/GetResourcePolicyCommand.ts | 9 +- .../ListPoolOriginationIdentitiesCommand.ts | 13 +- ...figurationRuleSetNumberOverridesCommand.ts | 9 +- .../ListRegistrationAssociationsCommand.ts | 9 +- .../commands/ListTagsForResourceCommand.ts | 9 +- .../src/commands/PutKeywordCommand.ts | 23 +- .../src/commands/PutMessageFeedbackCommand.ts | 16 +- .../src/commands/PutOptedOutNumberCommand.ts | 13 +- ...nfigurationRuleSetNumberOverrideCommand.ts | 16 +- .../PutRegistrationFieldValueCommand.ts | 14 +- .../src/commands/PutResourcePolicyCommand.ts | 13 +- .../src/commands/ReleasePhoneNumberCommand.ts | 19 +- .../src/commands/ReleaseSenderIdCommand.ts | 14 +- .../src/commands/RequestPhoneNumberCommand.ts | 17 +- .../src/commands/RequestSenderIdCommand.ts | 14 +- ...estinationNumberVerificationCodeCommand.ts | 18 +- .../src/commands/SendMediaMessageCommand.ts | 14 +- .../src/commands/SendTextMessageCommand.ts | 20 +- .../src/commands/SendVoiceMessageCommand.ts | 18 +- ...countDefaultProtectConfigurationCommand.ts | 12 +- ...SetDefaultMessageFeedbackEnabledCommand.ts | 9 +- .../commands/SetDefaultMessageTypeCommand.ts | 16 +- .../src/commands/SetDefaultSenderIdCommand.ts | 14 +- ...etMediaMessageSpendLimitOverrideCommand.ts | 13 +- ...SetTextMessageSpendLimitOverrideCommand.ts | 13 +- ...etVoiceMessageSpendLimitOverrideCommand.ts | 13 +- .../SubmitRegistrationVersionCommand.ts | 14 +- .../src/commands/TagResourceCommand.ts | 14 +- .../src/commands/UntagResourceCommand.ts | 12 +- .../commands/UpdateEventDestinationCommand.ts | 21 +- .../src/commands/UpdatePhoneNumberCommand.ts | 20 +- .../src/commands/UpdatePoolCommand.ts | 19 +- .../UpdateProtectConfigurationCommand.ts | 9 +- ...otectConfigurationCountryRuleSetCommand.ts | 11 +- .../src/commands/UpdateSenderIdCommand.ts | 9 +- .../VerifyDestinationNumberCommand.ts | 14 +- .../client-pinpoint-sms-voice-v2/src/index.ts | 34 +- .../src/models/models_0.ts | 1357 +++-------------- .../aws-models/pinpoint-sms-voice-v2.json | 621 ++++---- 96 files changed, 938 insertions(+), 2501 deletions(-) diff --git a/clients/client-pinpoint-sms-voice-v2/README.md b/clients/client-pinpoint-sms-voice-v2/README.md index a516320fc4ea..2b9b8e42dca8 100644 --- a/clients/client-pinpoint-sms-voice-v2/README.md +++ b/clients/client-pinpoint-sms-voice-v2/README.md @@ -6,39 +6,7 @@ AWS SDK for JavaScript PinpointSMSVoiceV2 Client for Node.js, Browser and React Native. -

Welcome to the AWS End User Messaging SMS and Voice, version 2 API Reference. -This guide provides information about AWS End User Messaging SMS and Voice, version 2 API -resources, including supported HTTP methods, parameters, and schemas.

-

Amazon Pinpoint is an Amazon Web Services service that you can use to engage with -your recipients across multiple messaging channels. The AWS End User Messaging SMS and Voice, version 2 API provides programmatic access to options that are unique to the SMS -and voice channels. AWS End User Messaging SMS and Voice, version 2 resources such as phone numbers, sender IDs, and opt-out lists can be used by the Amazon Pinpoint API.

-

If you're new to AWS End User Messaging SMS and Voice, it's also helpful to review the -AWS End User Messaging SMS User Guide. The AWS End User Messaging SMS User Guide - provides tutorials, code samples, and procedures that -demonstrate how to use AWS End User Messaging SMS and Voice features programmatically and how to integrate -functionality into mobile apps and other types of applications. -The guide also provides key information, such as AWS End User Messaging SMS and Voice integration with -other Amazon Web Services services, and the quotas that apply to use of the -service.

-

-Regional availability -

-

The AWS End User Messaging SMS and Voice version 2 API Reference is -available in several Amazon Web Services Regions and it provides an endpoint for each of -these Regions. For a list of all the Regions and endpoints where the API is currently -available, see Amazon Web Services Service Endpoints and Amazon Pinpoint -endpoints and quotas in the Amazon Web Services General Reference. To -learn more about Amazon Web Services Regions, see Managing -Amazon Web Services Regions in the Amazon Web Services General -Reference.

-

In each Region, Amazon Web Services maintains multiple Availability Zones. These -Availability Zones are physically isolated from each other, but are united by private, -low-latency, high-throughput, and highly redundant network connections. These -Availability Zones enable us to provide very high levels of availability and redundancy, -while also minimizing latency. To learn more about the number of Availability Zones that -are available in each Region, see Amazon Web Services -Global Infrastructure. -

+

Welcome to the AWS End User Messaging SMS and Voice, version 2 API Reference. This guide provides information about AWS End User Messaging SMS and Voice, version 2 API resources, including supported HTTP methods, parameters, and schemas.

Amazon Pinpoint is an Amazon Web Services service that you can use to engage with your recipients across multiple messaging channels. The AWS End User Messaging SMS and Voice, version 2 API provides programmatic access to options that are unique to the SMS and voice channels. AWS End User Messaging SMS and Voice, version 2 resources such as phone numbers, sender IDs, and opt-out lists can be used by the Amazon Pinpoint API.

If you're new to AWS End User Messaging SMS and Voice, it's also helpful to review the AWS End User Messaging SMS User Guide. The AWS End User Messaging SMS User Guide provides tutorials, code samples, and procedures that demonstrate how to use AWS End User Messaging SMS and Voice features programmatically and how to integrate functionality into mobile apps and other types of applications. The guide also provides key information, such as AWS End User Messaging SMS and Voice integration with other Amazon Web Services services, and the quotas that apply to use of the service.

Regional availability

The AWS End User Messaging SMS and Voice version 2 API Reference is available in several Amazon Web Services Regions and it provides an endpoint for each of these Regions. For a list of all the Regions and endpoints where the API is currently available, see Amazon Web Services Service Endpoints and Amazon Pinpoint endpoints and quotas in the Amazon Web Services General Reference. To learn more about Amazon Web Services Regions, see Managing Amazon Web Services Regions in the Amazon Web Services General Reference.

In each Region, Amazon Web Services maintains multiple Availability Zones. These Availability Zones are physically isolated from each other, but are united by private, low-latency, high-throughput, and highly redundant network connections. These Availability Zones enable us to provide very high levels of availability and redundancy, while also minimizing latency. To learn more about the number of Availability Zones that are available in each Region, see Amazon Web Services Global Infrastructure.

## Installing diff --git a/clients/client-pinpoint-sms-voice-v2/src/PinpointSMSVoiceV2.ts b/clients/client-pinpoint-sms-voice-v2/src/PinpointSMSVoiceV2.ts index 80103e0afe96..36b4c27f1292 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/PinpointSMSVoiceV2.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/PinpointSMSVoiceV2.ts @@ -2019,39 +2019,7 @@ export interface PinpointSMSVoiceV2 { } /** - *

Welcome to the AWS End User Messaging SMS and Voice, version 2 API Reference. - * This guide provides information about AWS End User Messaging SMS and Voice, version 2 API - * resources, including supported HTTP methods, parameters, and schemas.

- *

Amazon Pinpoint is an Amazon Web Services service that you can use to engage with - * your recipients across multiple messaging channels. The AWS End User Messaging SMS and Voice, version 2 API provides programmatic access to options that are unique to the SMS - * and voice channels. AWS End User Messaging SMS and Voice, version 2 resources such as phone numbers, sender IDs, and opt-out lists can be used by the Amazon Pinpoint API.

- *

If you're new to AWS End User Messaging SMS and Voice, it's also helpful to review the - * AWS End User Messaging SMS User Guide. The AWS End User Messaging SMS User Guide - * provides tutorials, code samples, and procedures that - * demonstrate how to use AWS End User Messaging SMS and Voice features programmatically and how to integrate - * functionality into mobile apps and other types of applications. - * The guide also provides key information, such as AWS End User Messaging SMS and Voice integration with - * other Amazon Web Services services, and the quotas that apply to use of the - * service.

- *

- * Regional availability - *

- *

The AWS End User Messaging SMS and Voice version 2 API Reference is - * available in several Amazon Web Services Regions and it provides an endpoint for each of - * these Regions. For a list of all the Regions and endpoints where the API is currently - * available, see Amazon Web Services Service Endpoints and Amazon Pinpoint - * endpoints and quotas in the Amazon Web Services General Reference. To - * learn more about Amazon Web Services Regions, see Managing - * Amazon Web Services Regions in the Amazon Web Services General - * Reference.

- *

In each Region, Amazon Web Services maintains multiple Availability Zones. These - * Availability Zones are physically isolated from each other, but are united by private, - * low-latency, high-throughput, and highly redundant network connections. These - * Availability Zones enable us to provide very high levels of availability and redundancy, - * while also minimizing latency. To learn more about the number of Availability Zones that - * are available in each Region, see Amazon Web Services - * Global Infrastructure. - *

+ *

Welcome to the AWS End User Messaging SMS and Voice, version 2 API Reference. This guide provides information about AWS End User Messaging SMS and Voice, version 2 API resources, including supported HTTP methods, parameters, and schemas.

Amazon Pinpoint is an Amazon Web Services service that you can use to engage with your recipients across multiple messaging channels. The AWS End User Messaging SMS and Voice, version 2 API provides programmatic access to options that are unique to the SMS and voice channels. AWS End User Messaging SMS and Voice, version 2 resources such as phone numbers, sender IDs, and opt-out lists can be used by the Amazon Pinpoint API.

If you're new to AWS End User Messaging SMS and Voice, it's also helpful to review the AWS End User Messaging SMS User Guide. The AWS End User Messaging SMS User Guide provides tutorials, code samples, and procedures that demonstrate how to use AWS End User Messaging SMS and Voice features programmatically and how to integrate functionality into mobile apps and other types of applications. The guide also provides key information, such as AWS End User Messaging SMS and Voice integration with other Amazon Web Services services, and the quotas that apply to use of the service.

Regional availability

The AWS End User Messaging SMS and Voice version 2 API Reference is available in several Amazon Web Services Regions and it provides an endpoint for each of these Regions. For a list of all the Regions and endpoints where the API is currently available, see Amazon Web Services Service Endpoints and Amazon Pinpoint endpoints and quotas in the Amazon Web Services General Reference. To learn more about Amazon Web Services Regions, see Managing Amazon Web Services Regions in the Amazon Web Services General Reference.

In each Region, Amazon Web Services maintains multiple Availability Zones. These Availability Zones are physically isolated from each other, but are united by private, low-latency, high-throughput, and highly redundant network connections. These Availability Zones enable us to provide very high levels of availability and redundancy, while also minimizing latency. To learn more about the number of Availability Zones that are available in each Region, see Amazon Web Services Global Infrastructure.

* @public */ export class PinpointSMSVoiceV2 extends PinpointSMSVoiceV2Client implements PinpointSMSVoiceV2 {} diff --git a/clients/client-pinpoint-sms-voice-v2/src/PinpointSMSVoiceV2Client.ts b/clients/client-pinpoint-sms-voice-v2/src/PinpointSMSVoiceV2Client.ts index c11b53914e32..55fb2d59ea43 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/PinpointSMSVoiceV2Client.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/PinpointSMSVoiceV2Client.ts @@ -721,39 +721,7 @@ export type PinpointSMSVoiceV2ClientResolvedConfigType = __SmithyResolvedConfigu export interface PinpointSMSVoiceV2ClientResolvedConfig extends PinpointSMSVoiceV2ClientResolvedConfigType {} /** - *

Welcome to the AWS End User Messaging SMS and Voice, version 2 API Reference. - * This guide provides information about AWS End User Messaging SMS and Voice, version 2 API - * resources, including supported HTTP methods, parameters, and schemas.

- *

Amazon Pinpoint is an Amazon Web Services service that you can use to engage with - * your recipients across multiple messaging channels. The AWS End User Messaging SMS and Voice, version 2 API provides programmatic access to options that are unique to the SMS - * and voice channels. AWS End User Messaging SMS and Voice, version 2 resources such as phone numbers, sender IDs, and opt-out lists can be used by the Amazon Pinpoint API.

- *

If you're new to AWS End User Messaging SMS and Voice, it's also helpful to review the - * AWS End User Messaging SMS User Guide. The AWS End User Messaging SMS User Guide - * provides tutorials, code samples, and procedures that - * demonstrate how to use AWS End User Messaging SMS and Voice features programmatically and how to integrate - * functionality into mobile apps and other types of applications. - * The guide also provides key information, such as AWS End User Messaging SMS and Voice integration with - * other Amazon Web Services services, and the quotas that apply to use of the - * service.

- *

- * Regional availability - *

- *

The AWS End User Messaging SMS and Voice version 2 API Reference is - * available in several Amazon Web Services Regions and it provides an endpoint for each of - * these Regions. For a list of all the Regions and endpoints where the API is currently - * available, see Amazon Web Services Service Endpoints and Amazon Pinpoint - * endpoints and quotas in the Amazon Web Services General Reference. To - * learn more about Amazon Web Services Regions, see Managing - * Amazon Web Services Regions in the Amazon Web Services General - * Reference.

- *

In each Region, Amazon Web Services maintains multiple Availability Zones. These - * Availability Zones are physically isolated from each other, but are united by private, - * low-latency, high-throughput, and highly redundant network connections. These - * Availability Zones enable us to provide very high levels of availability and redundancy, - * while also minimizing latency. To learn more about the number of Availability Zones that - * are available in each Region, see Amazon Web Services - * Global Infrastructure. - *

+ *

Welcome to the AWS End User Messaging SMS and Voice, version 2 API Reference. This guide provides information about AWS End User Messaging SMS and Voice, version 2 API resources, including supported HTTP methods, parameters, and schemas.

Amazon Pinpoint is an Amazon Web Services service that you can use to engage with your recipients across multiple messaging channels. The AWS End User Messaging SMS and Voice, version 2 API provides programmatic access to options that are unique to the SMS and voice channels. AWS End User Messaging SMS and Voice, version 2 resources such as phone numbers, sender IDs, and opt-out lists can be used by the Amazon Pinpoint API.

If you're new to AWS End User Messaging SMS and Voice, it's also helpful to review the AWS End User Messaging SMS User Guide. The AWS End User Messaging SMS User Guide provides tutorials, code samples, and procedures that demonstrate how to use AWS End User Messaging SMS and Voice features programmatically and how to integrate functionality into mobile apps and other types of applications. The guide also provides key information, such as AWS End User Messaging SMS and Voice integration with other Amazon Web Services services, and the quotas that apply to use of the service.

Regional availability

The AWS End User Messaging SMS and Voice version 2 API Reference is available in several Amazon Web Services Regions and it provides an endpoint for each of these Regions. For a list of all the Regions and endpoints where the API is currently available, see Amazon Web Services Service Endpoints and Amazon Pinpoint endpoints and quotas in the Amazon Web Services General Reference. To learn more about Amazon Web Services Regions, see Managing Amazon Web Services Regions in the Amazon Web Services General Reference.

In each Region, Amazon Web Services maintains multiple Availability Zones. These Availability Zones are physically isolated from each other, but are united by private, low-latency, high-throughput, and highly redundant network connections. These Availability Zones enable us to provide very high levels of availability and redundancy, while also minimizing latency. To learn more about the number of Availability Zones that are available in each Region, see Amazon Web Services Global Infrastructure.

* @public */ export class PinpointSMSVoiceV2Client extends __Client< 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 87d0b59c7141..a5b018d17a41 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/AssociateOriginationIdentityCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/AssociateOriginationIdentityCommand.ts @@ -37,11 +37,7 @@ export interface AssociateOriginationIdentityCommandOutput __MetadataBearer {} /** - *

Associates the specified origination identity with a pool.

- *

If the origination identity is a phone number and is already associated with another - * pool, an error is returned. A sender ID can be associated with multiple pools.

- *

If the origination identity configuration doesn't match the pool's configuration, an - * error is returned.

+ *

Associates the specified origination identity with a pool.

If the origination identity is a phone number and is already associated with another pool, an error is returned. A sender ID can be associated with multiple pools.

If the origination identity configuration doesn't match the pool's configuration, an error is returned.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -73,18 +69,13 @@ export interface AssociateOriginationIdentityCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

@@ -93,8 +84,7 @@ export interface AssociateOriginationIdentityCommandOutput *

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 72df41d85edb..c3be255cc7b9 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/AssociateProtectConfigurationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/AssociateProtectConfigurationCommand.ts @@ -37,10 +37,7 @@ export interface AssociateProtectConfigurationCommandOutput __MetadataBearer {} /** - *

Associate a protect configuration with a configuration set. This replaces the - * configuration sets current protect configuration. A configuration set can - * only be associated with one protect configuration at a time. A protect configuration can - * be associated with multiple configuration sets.

+ *

Associate a protect configuration with a configuration set. This replaces the configuration sets current protect configuration. A configuration set can only be associated with one protect configuration at a time. A protect configuration can be associated with multiple configuration sets.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -69,25 +66,19 @@ export interface AssociateProtectConfigurationCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 5d02e02cef18..cf0d1b647433 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateConfigurationSetCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateConfigurationSetCommand.ts @@ -32,11 +32,7 @@ export interface CreateConfigurationSetCommandInput extends CreateConfigurationS export interface CreateConfigurationSetCommandOutput extends CreateConfigurationSetResult, __MetadataBearer {} /** - *

Creates a new configuration set. After you create the configuration set, you can add - * one or more event destinations to it.

- *

A configuration set is a set of rules that you apply to the SMS and voice messages - * that you send.

- *

When you send a message, you can optionally specify a single configuration set.

+ *

Creates a new configuration set. After you create the configuration set, you can add one or more event destinations to it.

A configuration set is a set of rules that you apply to the SMS and voice messages that you send.

When you send a message, you can optionally specify a single configuration set.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -76,25 +72,19 @@ export interface CreateConfigurationSetCommandOutput extends CreateConfiguration * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 2dea9543e8b2..e719e5a3750b 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateEventDestinationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateEventDestinationCommand.ts @@ -32,15 +32,7 @@ export interface CreateEventDestinationCommandInput extends CreateEventDestinati export interface CreateEventDestinationCommandOutput extends CreateEventDestinationResult, __MetadataBearer {} /** - *

Creates a new event destination in a configuration set.

- *

An event destination is a location where you send message events. The event options - * are Amazon CloudWatch, Amazon Data Firehose, or Amazon SNS. For example, - * when a message is delivered successfully, you can send information about that event to - * an event destination, or send notifications to endpoints that are subscribed to an - * Amazon SNS topic.

- *

Each configuration set can contain between 0 and 5 event destinations. Each event - * destination can contain a reference to a single destination, such as a CloudWatch - * or Firehose destination.

+ *

Creates a new event destination in a configuration set.

An event destination is a location where you send message events. The event options are Amazon CloudWatch, Amazon Data Firehose, or Amazon SNS. For example, when a message is delivered successfully, you can send information about that event to an event destination, or send notifications to endpoints that are subscribed to an Amazon SNS topic.

You can only create one event destination at a time. You must provide a value for a single event destination using either CloudWatchLogsDestination, KinesisFirehoseDestination or SnsDestination. If an event destination isn't provided then an exception is returned.

Each configuration set can contain between 0 and 5 event destinations. Each event destination can contain a reference to a single destination, such as a CloudWatch or Firehose destination.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -100,18 +92,13 @@ export interface CreateEventDestinationCommandOutput extends CreateEventDestinat * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

@@ -120,8 +107,7 @@ export interface CreateEventDestinationCommandOutput extends CreateEventDestinat *

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 40c99323cd98..bd8a6ca70a3c 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateOptOutListCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateOptOutListCommand.ts @@ -32,14 +32,7 @@ export interface CreateOptOutListCommandInput extends CreateOptOutListRequest {} export interface CreateOptOutListCommandOutput extends CreateOptOutListResult, __MetadataBearer {} /** - *

Creates a new opt-out list.

- *

If the opt-out list name already exists, an error is returned.

- *

An opt-out list is a list of phone numbers that are opted out, meaning you can't send - * SMS or voice messages to them. If end user replies with the keyword "STOP," an entry for - * the phone number is added to the opt-out list. In addition to STOP, your recipients can - * use any supported opt-out keyword, such as CANCEL or OPTOUT. For a list of supported - * opt-out keywords, see - * SMS opt out in the AWS End User Messaging SMS User Guide.

+ *

Creates a new opt-out list.

If the opt-out list name already exists, an error is returned.

An opt-out list is a list of phone numbers that are opted out, meaning you can't send SMS or voice messages to them. If end user replies with the keyword "STOP," an entry for the phone number is added to the opt-out list. In addition to STOP, your recipients can use any supported opt-out keyword, such as CANCEL or OPTOUT. For a list of supported opt-out keywords, see SMS opt out in the AWS End User Messaging SMS User Guide.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -79,25 +72,19 @@ export interface CreateOptOutListCommandOutput extends CreateOptOutListResult, _ * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 9c1bad1ac549..dd23322523e3 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreatePoolCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreatePoolCommand.ts @@ -32,15 +32,7 @@ export interface CreatePoolCommandInput extends CreatePoolRequest {} export interface CreatePoolCommandOutput extends CreatePoolResult, __MetadataBearer {} /** - *

Creates a new pool and associates the specified origination identity to the pool. A - * pool can include one or more phone numbers and SenderIds that are associated with your - * Amazon Web Services account.

- *

The new pool inherits its configuration from the specified origination identity. This - * includes keywords, message type, opt-out list, two-way configuration, and self-managed - * opt-out configuration. Deletion protection isn't inherited from the origination identity - * and defaults to false.

- *

If the origination identity is a phone number and is already associated with another - * pool, an error is returned. A sender ID can be associated with multiple pools.

+ *

Creates a new pool and associates the specified origination identity to the pool. A pool can include one or more phone numbers and SenderIds that are associated with your Amazon Web Services account.

The new pool inherits its configuration from the specified origination identity. This includes keywords, message type, opt-out list, two-way configuration, and self-managed opt-out configuration. Deletion protection isn't inherited from the origination identity and defaults to false.

If the origination identity is a phone number and is already associated with another pool, an error is returned. A sender ID can be associated with multiple pools.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -92,18 +84,13 @@ export interface CreatePoolCommandOutput extends CreatePoolResult, __MetadataBea * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

@@ -112,8 +99,7 @@ export interface CreatePoolCommandOutput extends CreatePoolResult, __MetadataBea *

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 d5b5b4b52c6c..2f512fb0d510 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateProtectConfigurationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateProtectConfigurationCommand.ts @@ -74,19 +74,19 @@ export interface CreateProtectConfigurationCommandOutput extends CreateProtectCo * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 9e4d662d841b..6adaf1f4164e 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationAssociationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationAssociationCommand.ts @@ -70,18 +70,13 @@ export interface CreateRegistrationAssociationCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

@@ -90,8 +85,7 @@ export interface CreateRegistrationAssociationCommandOutput *

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 a6fff27fc9d2..6c8b832bb8d8 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationAttachmentCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationAttachmentCommand.ts @@ -37,11 +37,7 @@ export interface CreateRegistrationAttachmentCommandOutput __MetadataBearer {} /** - *

Create a new registration attachment to use for uploading a file or a URL to a file. - * The maximum file size is 500KB and valid file extensions are PDF, JPEG and PNG. For - * example, many sender ID registrations require a signed “letter of authorization” (LOA) - * to be submitted.

- *

Use either AttachmentUrl or AttachmentBody to upload your attachment. If both are specified then an exception is returned.

+ *

Create a new registration attachment to use for uploading a file or a URL to a file. The maximum file size is 500KB and valid file extensions are PDF, JPEG and PNG. For example, many sender ID registrations require a signed “letter of authorization” (LOA) to be submitted.

Use either AttachmentUrl or AttachmentBody to upload your attachment. If both are specified then an exception is returned.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -83,25 +79,19 @@ export interface CreateRegistrationAttachmentCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 98d6178dfbd6..05808aeec029 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationCommand.ts @@ -78,25 +78,19 @@ export interface CreateRegistrationCommandOutput extends CreateRegistrationResul * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 47b3c8fd7bdc..50ecdb35458c 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationVersionCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateRegistrationVersionCommand.ts @@ -71,18 +71,13 @@ export interface CreateRegistrationVersionCommandOutput extends CreateRegistrati * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

@@ -91,8 +86,7 @@ export interface CreateRegistrationVersionCommandOutput extends CreateRegistrati *

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 addbacc94640..785747a04281 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/CreateVerifiedDestinationNumberCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/CreateVerifiedDestinationNumberCommand.ts @@ -37,8 +37,7 @@ export interface CreateVerifiedDestinationNumberCommandOutput __MetadataBearer {} /** - *

You can only send messages to verified destination numbers when your account is in the sandbox. You can add up to 10 verified destination - * numbers.

+ *

You can only send messages to verified destination numbers when your account is in the sandbox. You can add up to 10 verified destination numbers.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -80,25 +79,19 @@ export interface CreateVerifiedDestinationNumberCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 289c2cb1bde2..1b997e45ee54 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteAccountDefaultProtectConfigurationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteAccountDefaultProtectConfigurationCommand.ts @@ -65,19 +65,16 @@ export interface DeleteAccountDefaultProtectConfigurationCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 1acb5b8ccf6d..9921541a1961 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteConfigurationSetCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteConfigurationSetCommand.ts @@ -32,10 +32,7 @@ export interface DeleteConfigurationSetCommandInput extends DeleteConfigurationS export interface DeleteConfigurationSetCommandOutput extends DeleteConfigurationSetResult, __MetadataBearer {} /** - *

Deletes an existing configuration set.

- *

A configuration set is a set of rules that you apply to voice and SMS messages that - * you send. In a configuration set, you can specify a destination for specific types of - * events related to voice and SMS messages.

+ *

Deletes an existing configuration set.

A configuration set is a set of rules that you apply to voice and SMS messages that you send. In a configuration set, you can specify a destination for specific types of events related to voice and SMS messages.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -85,19 +82,16 @@ export interface DeleteConfigurationSetCommandOutput extends DeleteConfiguration * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 cd0a5e48e582..8ec9b5a6ca47 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteDefaultMessageTypeCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteDefaultMessageTypeCommand.ts @@ -32,12 +32,7 @@ export interface DeleteDefaultMessageTypeCommandInput extends DeleteDefaultMessa export interface DeleteDefaultMessageTypeCommandOutput extends DeleteDefaultMessageTypeResult, __MetadataBearer {} /** - *

Deletes an existing default message type on a configuration set.

- *

A message type is a type of messages that you plan to send. If you send - * account-related messages or time-sensitive messages such as one-time passcodes, choose - * Transactional. If you plan to send messages that - * contain marketing material or other promotional content, choose Promotional. This setting applies to your entire Amazon Web Services - * account.

+ *

Deletes an existing default message type on a configuration set.

A message type is a type of messages that you plan to send. If you send account-related messages or time-sensitive messages such as one-time passcodes, choose Transactional. If you plan to send messages that contain marketing material or other promotional content, choose Promotional. This setting applies to your entire Amazon Web Services account.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -64,19 +59,16 @@ export interface DeleteDefaultMessageTypeCommandOutput extends DeleteDefaultMess * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 4e258014d812..745493d30680 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteDefaultSenderIdCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteDefaultSenderIdCommand.ts @@ -32,10 +32,7 @@ export interface DeleteDefaultSenderIdCommandInput extends DeleteDefaultSenderId export interface DeleteDefaultSenderIdCommandOutput extends DeleteDefaultSenderIdResult, __MetadataBearer {} /** - *

Deletes an existing default sender ID on a configuration set.

- *

A default sender ID is the identity that appears on recipients' devices when they - * receive SMS messages. Support for sender ID capabilities varies by country or - * region.

+ *

Deletes an existing default sender ID on a configuration set.

A default sender ID is the identity that appears on recipients' devices when they receive SMS messages. Support for sender ID capabilities varies by country or region.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -62,19 +59,16 @@ export interface DeleteDefaultSenderIdCommandOutput extends DeleteDefaultSenderI * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 dfa4effa53b7..689f82e22eef 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteEventDestinationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteEventDestinationCommand.ts @@ -32,11 +32,7 @@ export interface DeleteEventDestinationCommandInput extends DeleteEventDestinati export interface DeleteEventDestinationCommandOutput extends DeleteEventDestinationResult, __MetadataBearer {} /** - *

Deletes an existing event destination.

- *

An event destination is a location where you send response information about the - * messages that you send. For example, when a message is delivered successfully, you can - * send information about that event to an Amazon CloudWatch destination, or send - * notifications to endpoints that are subscribed to an Amazon SNS topic.

+ *

Deletes an existing event destination.

An event destination is a location where you send response information about the messages that you send. For example, when a message is delivered successfully, you can send information about that event to an Amazon CloudWatch destination, or send notifications to endpoints that are subscribed to an Amazon SNS topic.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -81,19 +77,16 @@ export interface DeleteEventDestinationCommandOutput extends DeleteEventDestinat * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 074260ea0697..12063b9eb9be 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteKeywordCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteKeywordCommand.ts @@ -32,13 +32,7 @@ export interface DeleteKeywordCommandInput extends DeleteKeywordRequest {} export interface DeleteKeywordCommandOutput extends DeleteKeywordResult, __MetadataBearer {} /** - *

Deletes an existing keyword from an origination phone number or pool.

- *

A keyword is a word that you can search for on a particular phone number or pool. It - * is also a specific word or phrase that an end user can send to your number to elicit a - * response, such as an informational message or a special offer. When your number receives - * a message that begins with a keyword, AWS End User Messaging SMS and Voice responds with a customizable - * message.

- *

Keywords "HELP" and "STOP" can't be deleted or modified.

+ *

Deletes an existing keyword from an origination phone number or pool.

A keyword is a word that you can search for on a particular phone number or pool. It is also a specific word or phrase that an end user can send to your number to elicit a response, such as an informational message or a special offer. When your number receives a message that begins with a keyword, AWS End User Messaging SMS and Voice responds with a customizable message.

Keywords "HELP" and "STOP" can't be deleted or modified.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -68,25 +62,19 @@ export interface DeleteKeywordCommandOutput extends DeleteKeywordResult, __Metad * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 d1728206b1e9..4f5d57acfcc6 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteMediaMessageSpendLimitOverrideCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteMediaMessageSpendLimitOverrideCommand.ts @@ -40,11 +40,7 @@ export interface DeleteMediaMessageSpendLimitOverrideCommandOutput __MetadataBearer {} /** - *

Deletes an account-level monthly spending limit override for sending multimedia messages (MMS). - * Deleting a spend limit override will set the EnforcedLimit to equal the - * MaxLimit, which is controlled by Amazon Web Services. For more - * information on spend limits (quotas) see Quotas for Server Migration Service - * in the Server Migration Service User Guide.

+ *

Deletes an account-level monthly spending limit override for sending multimedia messages (MMS). Deleting a spend limit override will set the EnforcedLimit to equal the MaxLimit, which is controlled by Amazon Web Services. For more information on spend limits (quotas) see Quotas for Server Migration Service in the Server Migration Service User Guide.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -67,16 +63,13 @@ export interface DeleteMediaMessageSpendLimitOverrideCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 6f98f7e9e071..d99dc9602b60 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteOptOutListCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteOptOutListCommand.ts @@ -32,10 +32,7 @@ export interface DeleteOptOutListCommandInput extends DeleteOptOutListRequest {} export interface DeleteOptOutListCommandOutput extends DeleteOptOutListResult, __MetadataBearer {} /** - *

Deletes an existing opt-out list. All opted out phone numbers in the opt-out list are - * deleted.

- *

If the specified opt-out list name doesn't exist or is in-use by an origination phone - * number or pool, an error is returned.

+ *

Deletes an existing opt-out list. All opted out phone numbers in the opt-out list are deleted.

If the specified opt-out list name doesn't exist or is in-use by an origination phone number or pool, an error is returned.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -62,25 +59,19 @@ export interface DeleteOptOutListCommandOutput extends DeleteOptOutListResult, _ * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 152ed38c1da8..2d22065b5523 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteOptedOutNumberCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteOptedOutNumberCommand.ts @@ -32,11 +32,7 @@ export interface DeleteOptedOutNumberCommandInput extends DeleteOptedOutNumberRe export interface DeleteOptedOutNumberCommandOutput extends DeleteOptedOutNumberResult, __MetadataBearer {} /** - *

Deletes an existing opted out destination phone number from the specified opt-out - * list.

- *

Each destination phone number can only be deleted once every 30 days.

- *

If the specified destination phone number doesn't exist or if the opt-out list doesn't - * exist, an error is returned.

+ *

Deletes an existing opted out destination phone number from the specified opt-out list.

Each destination phone number can only be deleted once every 30 days.

If the specified destination phone number doesn't exist or if the opt-out list doesn't exist, an error is returned.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -66,25 +62,19 @@ export interface DeleteOptedOutNumberCommandOutput extends DeleteOptedOutNumberR * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 7a8ca85b3178..77595abceda0 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeletePoolCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeletePoolCommand.ts @@ -32,13 +32,7 @@ export interface DeletePoolCommandInput extends DeletePoolRequest {} export interface DeletePoolCommandOutput extends DeletePoolResult, __MetadataBearer {} /** - *

Deletes an existing pool. Deleting a pool disassociates all origination identities - * from that pool.

- *

If the pool status isn't active or if deletion protection is enabled, an error is - * returned.

- *

A pool is a collection of phone numbers and SenderIds. A pool can include one or more - * phone numbers and SenderIds that are associated with your Amazon Web Services - * account.

+ *

Deletes an existing pool. Deleting a pool disassociates all origination identities from that pool.

If the pool status isn't active or if deletion protection is enabled, an error is returned.

A pool is a collection of phone numbers and SenderIds. A pool can include one or more phone numbers and SenderIds that are associated with your Amazon Web Services account.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -73,25 +67,19 @@ export interface DeletePoolCommandOutput extends DeletePoolResult, __MetadataBea * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 c166958957ce..a47a4143d65e 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteProtectConfigurationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteProtectConfigurationCommand.ts @@ -61,25 +61,19 @@ export interface DeleteProtectConfigurationCommandOutput extends DeleteProtectCo * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteProtectConfigurationRuleSetNumberOverrideCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteProtectConfigurationRuleSetNumberOverrideCommand.ts index ce19319b61f7..071fcd8cba85 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteProtectConfigurationRuleSetNumberOverrideCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteProtectConfigurationRuleSetNumberOverrideCommand.ts @@ -73,19 +73,16 @@ export interface DeleteProtectConfigurationRuleSetNumberOverrideCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 b878c0ba61ff..ad4a672ba93f 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationAttachmentCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationAttachmentCommand.ts @@ -66,25 +66,19 @@ export interface DeleteRegistrationAttachmentCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 9a815a6777fd..deba6823f04c 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationCommand.ts @@ -67,25 +67,19 @@ export interface DeleteRegistrationCommandOutput extends DeleteRegistrationResul * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 c21325dea0fb..bfcd4f8cc6a1 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationFieldValueCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteRegistrationFieldValueCommand.ts @@ -71,25 +71,19 @@ export interface DeleteRegistrationFieldValueCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteResourcePolicyCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteResourcePolicyCommand.ts index e042a59822e4..ae6e8e8110b1 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteResourcePolicyCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteResourcePolicyCommand.ts @@ -59,19 +59,16 @@ export interface DeleteResourcePolicyCommandOutput extends DeleteResourcePolicyR * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 72c8ef9674ac..d4f16f0663fd 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteTextMessageSpendLimitOverrideCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteTextMessageSpendLimitOverrideCommand.ts @@ -40,11 +40,7 @@ export interface DeleteTextMessageSpendLimitOverrideCommandOutput __MetadataBearer {} /** - *

Deletes an account-level monthly spending limit override for sending text messages. - * Deleting a spend limit override will set the EnforcedLimit to equal the - * MaxLimit, which is controlled by Amazon Web Services. For more - * information on spend limits (quotas) see Quotas - * in the AWS End User Messaging SMS User Guide.

+ *

Deletes an account-level monthly spending limit override for sending text messages. Deleting a spend limit override will set the EnforcedLimit to equal the MaxLimit, which is controlled by Amazon Web Services. For more information on spend limits (quotas) see Quotas in the AWS End User Messaging SMS User Guide.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -67,16 +63,13 @@ export interface DeleteTextMessageSpendLimitOverrideCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 3f2063a4469f..23de722f96b9 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteVerifiedDestinationNumberCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteVerifiedDestinationNumberCommand.ts @@ -65,25 +65,19 @@ export interface DeleteVerifiedDestinationNumberCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 9c9b6ac0b182..bfe73b546264 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteVoiceMessageSpendLimitOverrideCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DeleteVoiceMessageSpendLimitOverrideCommand.ts @@ -40,11 +40,7 @@ export interface DeleteVoiceMessageSpendLimitOverrideCommandOutput __MetadataBearer {} /** - *

Deletes an account level monthly spend limit override for sending voice messages. - * Deleting a spend limit override sets the EnforcedLimit equal to the - * MaxLimit, which is controlled by Amazon Web Services. For more - * information on spending limits (quotas) see Quotas - * in the AWS End User Messaging SMS User Guide.

+ *

Deletes an account level monthly spend limit override for sending voice messages. Deleting a spend limit override sets the EnforcedLimit equal to the MaxLimit, which is controlled by Amazon Web Services. For more information on spending limits (quotas) see Quotas in the AWS End User Messaging SMS User Guide.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -67,16 +63,13 @@ export interface DeleteVoiceMessageSpendLimitOverrideCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 f36d3e368ce8..4479cb8a6c2c 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeAccountAttributesCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeAccountAttributesCommand.ts @@ -32,13 +32,7 @@ export interface DescribeAccountAttributesCommandInput extends DescribeAccountAt export interface DescribeAccountAttributesCommandOutput extends DescribeAccountAttributesResult, __MetadataBearer {} /** - *

Describes attributes of your Amazon Web Services account. The supported account - * attributes include account tier, which indicates whether your account is in the sandbox - * or production environment. When you're ready to move your account out of the sandbox, - * create an Amazon Web Services Support case for a service limit increase request.

- *

New accounts are placed into an SMS or voice sandbox. The sandbox - * protects both Amazon Web Services end recipients and SMS or voice recipients from fraud - * and abuse.

+ *

Describes attributes of your Amazon Web Services account. The supported account attributes include account tier, which indicates whether your account is in the sandbox or production environment. When you're ready to move your account out of the sandbox, create an Amazon Web Services Support case for a service limit increase request.

New accounts are placed into an SMS or voice sandbox. The sandbox protects both Amazon Web Services end recipients and SMS or voice recipients from fraud and abuse.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -70,16 +64,13 @@ export interface DescribeAccountAttributesCommandOutput extends DescribeAccountA * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 4068f0cd9084..50a2fd31cf90 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeAccountLimitsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeAccountLimitsCommand.ts @@ -32,13 +32,7 @@ export interface DescribeAccountLimitsCommandInput extends DescribeAccountLimits export interface DescribeAccountLimitsCommandOutput extends DescribeAccountLimitsResult, __MetadataBearer {} /** - *

Describes the current AWS End User Messaging SMS and Voice SMS Voice V2 resource quotas for your - * account. The description for a quota includes the quota name, current usage toward that - * quota, and the quota's maximum value.

- *

When you establish an Amazon Web Services account, the account has initial quotas on - * the maximum number of configuration sets, opt-out lists, phone numbers, and pools that - * you can create in a given Region. For more information see Quotas - * in the AWS End User Messaging SMS User Guide.

+ *

Describes the current AWS End User Messaging SMS and Voice SMS Voice V2 resource quotas for your account. The description for a quota includes the quota name, current usage toward that quota, and the quota's maximum value.

When you establish an Amazon Web Services account, the account has initial quotas on the maximum number of configuration sets, opt-out lists, phone numbers, and pools that you can create in a given Region. For more information see Quotas in the AWS End User Messaging SMS User Guide.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -71,16 +65,13 @@ export interface DescribeAccountLimitsCommandOutput extends DescribeAccountLimit * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 3ba5d6c8f58a..763e00455f77 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeConfigurationSetsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeConfigurationSetsCommand.ts @@ -32,13 +32,7 @@ export interface DescribeConfigurationSetsCommandInput extends DescribeConfigura export interface DescribeConfigurationSetsCommandOutput extends DescribeConfigurationSetsResult, __MetadataBearer {} /** - *

Describes the specified configuration sets or all in your account.

- *

If you specify configuration set names, the output includes information for only the - * specified configuration sets. If you specify filters, the output includes information - * for only those configuration sets that meet the filter criteria. If you don't specify - * configuration set names or filters, the output includes information for all - * configuration sets.

- *

If you specify a configuration set name that isn't valid, an error is returned.

+ *

Describes the specified configuration sets or all in your account.

If you specify configuration set names, the output includes information for only the specified configuration sets. If you specify filters, the output includes information for only those configuration sets that meet the filter criteria. If you don't specify configuration set names or filters, the output includes information for all configuration sets.

If you specify a configuration set name that isn't valid, an error is returned.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -106,19 +100,16 @@ export interface DescribeConfigurationSetsCommandOutput extends DescribeConfigur * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 62dd14741791..dae4c9a17b2c 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeKeywordsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeKeywordsCommand.ts @@ -32,14 +32,7 @@ export interface DescribeKeywordsCommandInput extends DescribeKeywordsRequest {} export interface DescribeKeywordsCommandOutput extends DescribeKeywordsResult, __MetadataBearer {} /** - *

Describes the specified keywords or all keywords on your origination phone number or - * pool.

- *

A keyword is a word that you can search for on a particular phone number or pool. It - * is also a specific word or phrase that an end user can send to your number to elicit a - * response, such as an informational message or a special offer. When your number receives - * a message that begins with a keyword, AWS End User Messaging SMS and Voice responds with a customizable - * message.

- *

If you specify a keyword that isn't valid, an error is returned.

+ *

Describes the specified keywords or all keywords on your origination phone number or pool.

A keyword is a word that you can search for on a particular phone number or pool. It is also a specific word or phrase that an end user can send to your number to elicit a response, such as an informational message or a special offer. When your number receives a message that begins with a keyword, AWS End User Messaging SMS and Voice responds with a customizable message.

If you specify a keyword that isn't valid, an error is returned.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -86,19 +79,16 @@ export interface DescribeKeywordsCommandOutput extends DescribeKeywordsResult, _ * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 fceabc3af408..4b8b56d3e033 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeOptOutListsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeOptOutListsCommand.ts @@ -32,12 +32,7 @@ export interface DescribeOptOutListsCommandInput extends DescribeOptOutListsRequ export interface DescribeOptOutListsCommandOutput extends DescribeOptOutListsResult, __MetadataBearer {} /** - *

Describes the specified opt-out list or all opt-out lists in your account.

- *

If you specify opt-out list names, the output includes information for only the - * specified opt-out lists. Opt-out lists include only those that meet the filter criteria. - * If you don't specify opt-out list names or filters, the output includes information for - * all opt-out lists.

- *

If you specify an opt-out list name that isn't valid, an error is returned.

+ *

Describes the specified opt-out list or all opt-out lists in your account.

If you specify opt-out list names, the output includes information for only the specified opt-out lists. Opt-out lists include only those that meet the filter criteria. If you don't specify opt-out list names or filters, the output includes information for all opt-out lists.

If you specify an opt-out list name that isn't valid, an error is returned.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -74,19 +69,16 @@ export interface DescribeOptOutListsCommandOutput extends DescribeOptOutListsRes * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 3c8191b89d25..67ce4006970b 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeOptedOutNumbersCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeOptedOutNumbersCommand.ts @@ -32,14 +32,7 @@ export interface DescribeOptedOutNumbersCommandInput extends DescribeOptedOutNum export interface DescribeOptedOutNumbersCommandOutput extends DescribeOptedOutNumbersResult, __MetadataBearer {} /** - *

Describes the specified opted out destination numbers or all opted out destination - * numbers in an opt-out list.

- *

If you specify opted out numbers, the output includes information for only the - * specified opted out numbers. If you specify filters, the output includes information for - * only those opted out numbers that meet the filter criteria. If you don't specify opted - * out numbers or filters, the output includes information for all opted out destination - * numbers in your opt-out list.

- *

If you specify an opted out number that isn't valid, an exception is returned.

+ *

Describes the specified opted out destination numbers or all opted out destination numbers in an opt-out list.

If you specify opted out numbers, the output includes information for only the specified opted out numbers. If you specify filters, the output includes information for only those opted out numbers that meet the filter criteria. If you don't specify opted out numbers or filters, the output includes information for all opted out destination numbers in your opt-out list.

If you specify an opted out number that isn't valid, an exception is returned.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -86,19 +79,16 @@ export interface DescribeOptedOutNumbersCommandOutput extends DescribeOptedOutNu * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 a46615b63685..f8bbc9dbee74 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribePhoneNumbersCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribePhoneNumbersCommand.ts @@ -32,13 +32,7 @@ export interface DescribePhoneNumbersCommandInput extends DescribePhoneNumbersRe export interface DescribePhoneNumbersCommandOutput extends DescribePhoneNumbersResult, __MetadataBearer {} /** - *

Describes the specified origination phone number, or all the phone numbers in your - * account.

- *

If you specify phone number IDs, the output includes information for only the - * specified phone numbers. If you specify filters, the output includes information for - * only those phone numbers that meet the filter criteria. If you don't specify phone - * number IDs or filters, the output includes information for all phone numbers.

- *

If you specify a phone number ID that isn't valid, an error is returned.

+ *

Describes the specified origination phone number, or all the phone numbers in your account.

If you specify phone number IDs, the output includes information for only the specified phone numbers. If you specify filters, the output includes information for only those phone numbers that meet the filter criteria. If you don't specify phone number IDs or filters, the output includes information for all phone numbers.

If you specify a phone number ID that isn't valid, an error is returned.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -100,19 +94,16 @@ export interface DescribePhoneNumbersCommandOutput extends DescribePhoneNumbersR * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 b0f9eb3a13ed..692aa44e5b8e 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribePoolsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribePoolsCommand.ts @@ -32,16 +32,7 @@ export interface DescribePoolsCommandInput extends DescribePoolsRequest {} export interface DescribePoolsCommandOutput extends DescribePoolsResult, __MetadataBearer {} /** - *

Retrieves the specified pools or all pools associated with your Amazon Web Services - * account.

- *

If you specify pool IDs, the output includes information for only the specified pools. - * If you specify filters, the output includes information for only those pools that meet - * the filter criteria. If you don't specify pool IDs or filters, the output includes - * information for all pools.

- *

If you specify a pool ID that isn't valid, an error is returned.

- *

A pool is a collection of phone numbers and SenderIds. A pool can include one or more - * phone numbers and SenderIds that are associated with your Amazon Web Services - * account.

+ *

Retrieves the specified pools or all pools associated with your Amazon Web Services account.

If you specify pool IDs, the output includes information for only the specified pools. If you specify filters, the output includes information for only those pools that meet the filter criteria. If you don't specify pool IDs or filters, the output includes information for all pools.

If you specify a pool ID that isn't valid, an error is returned.

A pool is a collection of phone numbers and SenderIds. A pool can include one or more phone numbers and SenderIds that are associated with your Amazon Web Services account.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -95,19 +86,16 @@ export interface DescribePoolsCommandOutput extends DescribePoolsResult, __Metad * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 9cb9594e3de6..2aadf6d82f9e 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeProtectConfigurationsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeProtectConfigurationsCommand.ts @@ -83,19 +83,16 @@ export interface DescribeProtectConfigurationsCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 0bdbae1836de..d83cd958c9a5 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationAttachmentsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationAttachmentsCommand.ts @@ -83,19 +83,16 @@ export interface DescribeRegistrationAttachmentsCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 1d0230abe9b6..783621d58e5a 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationFieldDefinitionsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationFieldDefinitionsCommand.ts @@ -108,16 +108,13 @@ export interface DescribeRegistrationFieldDefinitionsCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 6ffbbb5a47e5..d86935c16744 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationFieldValuesCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationFieldValuesCommand.ts @@ -83,19 +83,16 @@ export interface DescribeRegistrationFieldValuesCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 0db5869ea0f1..e6d796e161c1 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationSectionDefinitionsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationSectionDefinitionsCommand.ts @@ -84,16 +84,13 @@ export interface DescribeRegistrationSectionDefinitionsCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 fd9a84ba67ca..f25faf655758 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationTypeDefinitionsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationTypeDefinitionsCommand.ts @@ -97,16 +97,13 @@ export interface DescribeRegistrationTypeDefinitionsCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 ba4b85250823..41d0fb4cf8e1 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationVersionsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationVersionsCommand.ts @@ -103,19 +103,16 @@ export interface DescribeRegistrationVersionsCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 61967d97571b..bc565ed7fac3 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeRegistrationsCommand.ts @@ -84,19 +84,16 @@ export interface DescribeRegistrationsCommandOutput extends DescribeRegistration * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 7b30543b9528..93cfd0f7f60e 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeSenderIdsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeSenderIdsCommand.ts @@ -32,12 +32,7 @@ export interface DescribeSenderIdsCommandInput extends DescribeSenderIdsRequest export interface DescribeSenderIdsCommandOutput extends DescribeSenderIdsResult, __MetadataBearer {} /** - *

Describes the specified SenderIds or all SenderIds associated with your Amazon Web Services account.

- *

If you specify SenderIds, the output includes information for only the specified - * SenderIds. If you specify filters, the output includes information for only those - * SenderIds that meet the filter criteria. If you don't specify SenderIds or filters, the - * output includes information for all SenderIds.

- *

f you specify a sender ID that isn't valid, an error is returned.

+ *

Describes the specified SenderIds or all SenderIds associated with your Amazon Web Services account.

If you specify SenderIds, the output includes information for only the specified SenderIds. If you specify filters, the output includes information for only those SenderIds that meet the filter criteria. If you don't specify SenderIds or filters, the output includes information for all SenderIds.

f you specify a sender ID that isn't valid, an error is returned.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -92,19 +87,16 @@ export interface DescribeSenderIdsCommandOutput extends DescribeSenderIdsResult, * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 510fbe4c34fd..d40b91080cfb 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeSpendLimitsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeSpendLimitsCommand.ts @@ -32,13 +32,7 @@ export interface DescribeSpendLimitsCommandInput extends DescribeSpendLimitsRequ export interface DescribeSpendLimitsCommandOutput extends DescribeSpendLimitsResult, __MetadataBearer {} /** - *

Describes the current monthly spend limits for sending voice and - * text messages.

- *

When you establish an Amazon Web Services account, the account has initial monthly - * spend limit in a given Region. For more information on increasing your monthly spend - * limit, see - * Requesting increases to your monthly SMS, MMS, or Voice spending quota - * in the AWS End User Messaging SMS User Guide.

+ *

Describes the current monthly spend limits for sending voice and text messages.

When you establish an Amazon Web Services account, the account has initial monthly spend limit in a given Region. For more information on increasing your monthly spend limit, see Requesting increases to your monthly SMS, MMS, or Voice spending quota in the AWS End User Messaging SMS User Guide.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -72,16 +66,13 @@ export interface DescribeSpendLimitsCommandOutput extends DescribeSpendLimitsRes * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 1c05766313dc..f6429bdbcee7 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeVerifiedDestinationNumbersCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DescribeVerifiedDestinationNumbersCommand.ts @@ -89,19 +89,16 @@ export interface DescribeVerifiedDestinationNumbersCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 92d9b3ac2df0..3c569eb77d67 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DisassociateOriginationIdentityCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DisassociateOriginationIdentityCommand.ts @@ -37,9 +37,7 @@ export interface DisassociateOriginationIdentityCommandOutput __MetadataBearer {} /** - *

Removes the specified origination identity from an existing pool.

- *

If the origination identity isn't associated with the specified pool, an error is - * returned.

+ *

Removes the specified origination identity from an existing pool.

If the origination identity isn't associated with the specified pool, an error is returned.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -71,25 +69,19 @@ export interface DisassociateOriginationIdentityCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 6cfdee0fed4f..0c18f419e14d 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DisassociateProtectConfigurationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DisassociateProtectConfigurationCommand.ts @@ -66,25 +66,19 @@ export interface DisassociateProtectConfigurationCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 132e23dfd120..179c9cfeed09 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/DiscardRegistrationVersionCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/DiscardRegistrationVersionCommand.ts @@ -71,25 +71,19 @@ export interface DiscardRegistrationVersionCommandOutput extends DiscardRegistra * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 de983e30be0d..68e1974f589b 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/GetProtectConfigurationCountryRuleSetCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/GetProtectConfigurationCountryRuleSetCommand.ts @@ -74,19 +74,16 @@ export interface GetProtectConfigurationCountryRuleSetCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/GetResourcePolicyCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/GetResourcePolicyCommand.ts index 84f63fe2f405..95e10a9cd7fe 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/GetResourcePolicyCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/GetResourcePolicyCommand.ts @@ -59,19 +59,16 @@ export interface GetResourcePolicyCommandOutput extends GetResourcePolicyResult, * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 ad11fb781985..d1f5dc2e6e56 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/ListPoolOriginationIdentitiesCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/ListPoolOriginationIdentitiesCommand.ts @@ -37,9 +37,7 @@ export interface ListPoolOriginationIdentitiesCommandOutput __MetadataBearer {} /** - *

Lists all associated origination identities in your pool.

- *

If you specify filters, the output includes information for only those origination - * identities that meet the filter criteria.

+ *

Lists all associated origination identities in your pool.

If you specify filters, the output includes information for only those origination identities that meet the filter criteria.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -87,19 +85,16 @@ export interface ListPoolOriginationIdentitiesCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/ListProtectConfigurationRuleSetNumberOverridesCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/ListProtectConfigurationRuleSetNumberOverridesCommand.ts index 0602bf8c4cd8..1ce62be9d862 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/ListProtectConfigurationRuleSetNumberOverridesCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/ListProtectConfigurationRuleSetNumberOverridesCommand.ts @@ -87,19 +87,16 @@ export interface ListProtectConfigurationRuleSetNumberOverridesCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 5cede9852bfc..d756bead1463 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/ListRegistrationAssociationsCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/ListRegistrationAssociationsCommand.ts @@ -84,19 +84,16 @@ export interface ListRegistrationAssociationsCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 1675f14a4939..f14017d3724a 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/ListTagsForResourceCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/ListTagsForResourceCommand.ts @@ -63,19 +63,16 @@ export interface ListTagsForResourceCommandOutput extends ListTagsForResourceRes * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 be7156bd01ed..378df9a8e55a 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/PutKeywordCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/PutKeywordCommand.ts @@ -32,14 +32,7 @@ export interface PutKeywordCommandInput extends PutKeywordRequest {} export interface PutKeywordCommandOutput extends PutKeywordResult, __MetadataBearer {} /** - *

Creates or updates a keyword configuration on an origination phone number or - * pool.

- *

A keyword is a word that you can search for on a particular phone number or pool. It - * is also a specific word or phrase that an end user can send to your number to elicit a - * response, such as an informational message or a special offer. When your number receives - * a message that begins with a keyword, AWS End User Messaging SMS and Voice responds with a customizable - * message.

- *

If you specify a keyword that isn't valid, an error is returned.

+ *

Creates or updates a keyword configuration on an origination phone number or pool.

A keyword is a word that you can search for on a particular phone number or pool. It is also a specific word or phrase that an end user can send to your number to elicit a response, such as an informational message or a special offer. When your number receives a message that begins with a keyword, AWS End User Messaging SMS and Voice responds with a customizable message.

If you specify a keyword that isn't valid, an error is returned.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -71,18 +64,13 @@ export interface PutKeywordCommandOutput extends PutKeywordResult, __MetadataBea * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

@@ -91,8 +79,7 @@ export interface PutKeywordCommandOutput extends PutKeywordResult, __MetadataBea *

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/PutMessageFeedbackCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/PutMessageFeedbackCommand.ts index 3541c5338a9c..81a089075530 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/PutMessageFeedbackCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/PutMessageFeedbackCommand.ts @@ -32,12 +32,7 @@ export interface PutMessageFeedbackCommandInput extends PutMessageFeedbackReques export interface PutMessageFeedbackCommandOutput extends PutMessageFeedbackResult, __MetadataBearer {} /** - *

Set the MessageFeedbackStatus as RECEIVED or FAILED for the - * passed in MessageId.

- *

If you use message feedback then you must update message feedback record. When you receive a signal that a user has received the message you must use - * PutMessageFeedback to set the message feedback record as - * RECEIVED; Otherwise, an hour after the message feedback record is set - * to FAILED.

+ *

Set the MessageFeedbackStatus as RECEIVED or FAILED for the passed in MessageId.

If you use message feedback then you must update message feedback record. When you receive a signal that a user has received the message you must use PutMessageFeedback to set the message feedback record as RECEIVED; Otherwise, an hour after the message feedback record is set to FAILED.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -64,19 +59,16 @@ export interface PutMessageFeedbackCommandOutput extends PutMessageFeedbackResul * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 44cab2ff4dcc..b2b64a7be2c4 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/PutOptedOutNumberCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/PutOptedOutNumberCommand.ts @@ -32,9 +32,7 @@ export interface PutOptedOutNumberCommandInput extends PutOptedOutNumberRequest export interface PutOptedOutNumberCommandOutput extends PutOptedOutNumberResult, __MetadataBearer {} /** - *

Creates an opted out destination phone number in the opt-out list.

- *

If the destination phone number isn't valid or if the specified opt-out list doesn't - * exist, an error is returned.

+ *

Creates an opted out destination phone number in the opt-out list.

If the destination phone number isn't valid or if the specified opt-out list doesn't exist, an error is returned.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -64,19 +62,16 @@ export interface PutOptedOutNumberCommandOutput extends PutOptedOutNumberResult, * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/PutProtectConfigurationRuleSetNumberOverrideCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/PutProtectConfigurationRuleSetNumberOverrideCommand.ts index b5899f6f2267..8c5ebbf54115 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/PutProtectConfigurationRuleSetNumberOverrideCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/PutProtectConfigurationRuleSetNumberOverrideCommand.ts @@ -41,7 +41,7 @@ export interface PutProtectConfigurationRuleSetNumberOverrideCommandOutput __MetadataBearer {} /** - *

Create or update a RuleSetNumberOverride and associate it with a protect configuration.

+ *

Create or update a phone number rule override and associate it with a protect configuration.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -76,25 +76,19 @@ export interface PutProtectConfigurationRuleSetNumberOverrideCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 459b2f997d5d..68257e4d9930 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/PutRegistrationFieldValueCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/PutRegistrationFieldValueCommand.ts @@ -71,25 +71,19 @@ export interface PutRegistrationFieldValueCommandOutput extends PutRegistrationF * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/PutResourcePolicyCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/PutResourcePolicyCommand.ts index bffdcb63dd4d..88aab61c549a 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/PutResourcePolicyCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/PutResourcePolicyCommand.ts @@ -32,9 +32,7 @@ export interface PutResourcePolicyCommandInput extends PutResourcePolicyRequest export interface PutResourcePolicyCommandOutput extends PutResourcePolicyResult, __MetadataBearer {} /** - *

Attaches a resource-based policy to a AWS End User Messaging SMS and Voice resource(phone number, sender Id, phone poll, or opt-out list) that is used for - * sharing the resource. A shared resource can be a Pool, Opt-out list, Sender Id, or Phone number. For more information about - * resource-based policies, see Working with shared resources in the AWS End User Messaging SMS User Guide.

+ *

Attaches a resource-based policy to a AWS End User Messaging SMS and Voice resource(phone number, sender Id, phone poll, or opt-out list) that is used for sharing the resource. A shared resource can be a Pool, Opt-out list, Sender Id, or Phone number. For more information about resource-based policies, see Working with shared resources in the AWS End User Messaging SMS User Guide.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -62,19 +60,16 @@ export interface PutResourcePolicyCommandOutput extends PutResourcePolicyResult, * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 6a81db58e43f..8b7a7859d464 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/ReleasePhoneNumberCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/ReleasePhoneNumberCommand.ts @@ -32,10 +32,7 @@ export interface ReleasePhoneNumberCommandInput extends ReleasePhoneNumberReques export interface ReleasePhoneNumberCommandOutput extends ReleasePhoneNumberResult, __MetadataBearer {} /** - *

Releases an existing origination phone number in your account. Once released, a phone - * number is no longer available for sending messages.

- *

If the origination phone number has deletion protection enabled or is associated with - * a pool, an error is returned.

+ *

Releases an existing origination phone number in your account. Once released, a phone number is no longer available for sending messages.

If the origination phone number has deletion protection enabled or is associated with a pool, an error is returned.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -77,25 +74,19 @@ export interface ReleasePhoneNumberCommandOutput extends ReleasePhoneNumberResul * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 13a124aea890..ea15dd99c90e 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/ReleaseSenderIdCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/ReleaseSenderIdCommand.ts @@ -66,25 +66,19 @@ export interface ReleaseSenderIdCommandOutput extends ReleaseSenderIdResult, __M * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 5623f3084c3a..20a4a9b1e78d 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/RequestPhoneNumberCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/RequestPhoneNumberCommand.ts @@ -32,8 +32,7 @@ export interface RequestPhoneNumberCommandInput extends RequestPhoneNumberReques export interface RequestPhoneNumberCommandOutput extends RequestPhoneNumberResult, __MetadataBearer {} /** - *

Request an origination phone number for use in your account. For more information on - * phone number request see Request a phone number in the AWS End User Messaging SMS User Guide.

+ *

Request an origination phone number for use in your account. For more information on phone number request see Request a phone number in the AWS End User Messaging SMS User Guide.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -99,18 +98,13 @@ export interface RequestPhoneNumberCommandOutput extends RequestPhoneNumberResul * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

@@ -119,8 +113,7 @@ export interface RequestPhoneNumberCommandOutput extends RequestPhoneNumberResul *

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 4504bdf3f8ea..23e7ab85d39f 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/RequestSenderIdCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/RequestSenderIdCommand.ts @@ -83,25 +83,19 @@ export interface RequestSenderIdCommandOutput extends RequestSenderIdResult, __M * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 ab1d0b86bde2..71487168ee9f 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SendDestinationNumberVerificationCodeCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SendDestinationNumberVerificationCodeCommand.ts @@ -41,9 +41,7 @@ export interface SendDestinationNumberVerificationCodeCommandOutput __MetadataBearer {} /** - *

Before you can send test messages to a verified destination phone number you need to - * opt-in the verified destination phone number. Creates a new text message with a - * verification code and send it to a verified destination phone number. Once you have the verification code use VerifyDestinationNumber to opt-in the verified destination phone number to receive messages.

+ *

Before you can send test messages to a verified destination phone number you need to opt-in the verified destination phone number. Creates a new text message with a verification code and send it to a verified destination phone number. Once you have the verification code use VerifyDestinationNumber to opt-in the verified destination phone number to receive messages.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -78,18 +76,13 @@ export interface SendDestinationNumberVerificationCodeCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

@@ -98,8 +91,7 @@ export interface SendDestinationNumberVerificationCodeCommandOutput *

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 1346eb79cebe..f50ae1adfb23 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SendMediaMessageCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SendMediaMessageCommand.ts @@ -71,18 +71,13 @@ export interface SendMediaMessageCommandOutput extends SendMediaMessageResult, _ * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

@@ -91,8 +86,7 @@ export interface SendMediaMessageCommandOutput extends SendMediaMessageResult, _ *

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 61508e314b6e..8e2cdf6aea3c 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SendTextMessageCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SendTextMessageCommand.ts @@ -32,11 +32,7 @@ export interface SendTextMessageCommandInput extends SendTextMessageRequest {} export interface SendTextMessageCommandOutput extends SendTextMessageResult, __MetadataBearer {} /** - *

Creates a new text message and sends it to a recipient's phone number. SendTextMessage only sends an SMS message to one recipient each time it is invoked.

- *

SMS throughput limits are measured in Message Parts per Second (MPS). Your MPS limit - * depends on the destination country of your messages, as well as the type of phone number - * (origination number) that you use to send the message. For more information about MPS, see Message Parts per - * Second (MPS) limits in the AWS End User Messaging SMS User Guide.

+ *

Creates a new text message and sends it to a recipient's phone number. SendTextMessage only sends an SMS message to one recipient each time it is invoked.

SMS throughput limits are measured in Message Parts per Second (MPS). Your MPS limit depends on the destination country of your messages, as well as the type of phone number (origination number) that you use to send the message. For more information about MPS, see Message Parts per Second (MPS) limits in the AWS End User Messaging SMS User Guide.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -77,18 +73,13 @@ export interface SendTextMessageCommandOutput extends SendTextMessageResult, __M * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

@@ -97,8 +88,7 @@ export interface SendTextMessageCommandOutput extends SendTextMessageResult, __M *

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 2eef442df67d..3c544c6f71e5 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SendVoiceMessageCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SendVoiceMessageCommand.ts @@ -32,9 +32,7 @@ export interface SendVoiceMessageCommandInput extends SendVoiceMessageRequest {} export interface SendVoiceMessageCommandOutput extends SendVoiceMessageResult, __MetadataBearer {} /** - *

Allows you to send a request that sends a voice message. - * This operation uses Amazon Polly to - * convert a text script into a voice message.

+ *

Allows you to send a request that sends a voice message. This operation uses Amazon Polly to convert a text script into a voice message.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -72,18 +70,13 @@ export interface SendVoiceMessageCommandOutput extends SendVoiceMessageResult, _ * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

@@ -92,8 +85,7 @@ export interface SendVoiceMessageCommandOutput extends SendVoiceMessageResult, _ *

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 4840f7af1c1c..1c87374983ea 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SetAccountDefaultProtectConfigurationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SetAccountDefaultProtectConfigurationCommand.ts @@ -41,8 +41,7 @@ export interface SetAccountDefaultProtectConfigurationCommandOutput __MetadataBearer {} /** - *

Set a protect configuration as your account default. You can only have one account - * default protect configuration at a time. The current account default protect configuration is replaced with the provided protect configuration.

+ *

Set a protect configuration as your account default. You can only have one account default protect configuration at a time. The current account default protect configuration is replaced with the provided protect configuration.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -68,19 +67,16 @@ export interface SetAccountDefaultProtectConfigurationCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

diff --git a/clients/client-pinpoint-sms-voice-v2/src/commands/SetDefaultMessageFeedbackEnabledCommand.ts b/clients/client-pinpoint-sms-voice-v2/src/commands/SetDefaultMessageFeedbackEnabledCommand.ts index d0ab84f417d4..1de352bab93c 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SetDefaultMessageFeedbackEnabledCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SetDefaultMessageFeedbackEnabledCommand.ts @@ -65,19 +65,16 @@ export interface SetDefaultMessageFeedbackEnabledCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 dd69e72fb93e..9ad712e6bb33 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SetDefaultMessageTypeCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SetDefaultMessageTypeCommand.ts @@ -32,12 +32,7 @@ export interface SetDefaultMessageTypeCommandInput extends SetDefaultMessageType export interface SetDefaultMessageTypeCommandOutput extends SetDefaultMessageTypeResult, __MetadataBearer {} /** - *

Sets the default message type on a configuration set.

- *

Choose the category of SMS messages that you plan to send from this account. If you - * send account-related messages or time-sensitive messages such as one-time passcodes, - * choose Transactional. If you plan to send messages that - * contain marketing material or other promotional content, choose Promotional. This setting applies to your entire Amazon Web Services - * account.

+ *

Sets the default message type on a configuration set.

Choose the category of SMS messages that you plan to send from this account. If you send account-related messages or time-sensitive messages such as one-time passcodes, choose Transactional. If you plan to send messages that contain marketing material or other promotional content, choose Promotional. This setting applies to your entire Amazon Web Services account.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -65,19 +60,16 @@ export interface SetDefaultMessageTypeCommandOutput extends SetDefaultMessageTyp * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 697c70ce8655..54d8609e0a63 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SetDefaultSenderIdCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SetDefaultSenderIdCommand.ts @@ -32,10 +32,7 @@ export interface SetDefaultSenderIdCommandInput extends SetDefaultSenderIdReques export interface SetDefaultSenderIdCommandOutput extends SetDefaultSenderIdResult, __MetadataBearer {} /** - *

Sets default sender ID on a configuration set.

- *

When sending a text message to a destination country that supports sender IDs, the - * default sender ID on the configuration set specified will be used if no dedicated - * origination phone numbers or registered sender IDs are available in your account.

+ *

Sets default sender ID on a configuration set.

When sending a text message to a destination country that supports sender IDs, the default sender ID on the configuration set specified will be used if no dedicated origination phone numbers or registered sender IDs are available in your account.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -63,19 +60,16 @@ export interface SetDefaultSenderIdCommandOutput extends SetDefaultSenderIdResul * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 6d756adc67aa..f2d7c433a260 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SetMediaMessageSpendLimitOverrideCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SetMediaMessageSpendLimitOverrideCommand.ts @@ -37,9 +37,7 @@ export interface SetMediaMessageSpendLimitOverrideCommandOutput __MetadataBearer {} /** - *

Sets an account level monthly spend limit override for sending MMS messages. The - * requested spend limit must be less than or equal to the MaxLimit, which is - * set by Amazon Web Services.

+ *

Sets an account level monthly spend limit override for sending MMS messages. The requested spend limit must be less than or equal to the MaxLimit, which is set by Amazon Web Services.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -64,16 +62,13 @@ export interface SetMediaMessageSpendLimitOverrideCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 0de785b15bd7..958e5ea98251 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SetTextMessageSpendLimitOverrideCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SetTextMessageSpendLimitOverrideCommand.ts @@ -37,9 +37,7 @@ export interface SetTextMessageSpendLimitOverrideCommandOutput __MetadataBearer {} /** - *

Sets an account level monthly spend limit override for sending text messages. The - * requested spend limit must be less than or equal to the MaxLimit, which is - * set by Amazon Web Services.

+ *

Sets an account level monthly spend limit override for sending text messages. The requested spend limit must be less than or equal to the MaxLimit, which is set by Amazon Web Services.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -64,16 +62,13 @@ export interface SetTextMessageSpendLimitOverrideCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 80bc3b9e8e2b..3706f76db401 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SetVoiceMessageSpendLimitOverrideCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SetVoiceMessageSpendLimitOverrideCommand.ts @@ -37,9 +37,7 @@ export interface SetVoiceMessageSpendLimitOverrideCommandOutput __MetadataBearer {} /** - *

Sets an account level monthly spend limit override for sending voice messages. The - * requested spend limit must be less than or equal to the MaxLimit, which is - * set by Amazon Web Services.

+ *

Sets an account level monthly spend limit override for sending voice messages. The requested spend limit must be less than or equal to the MaxLimit, which is set by Amazon Web Services.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -64,16 +62,13 @@ export interface SetVoiceMessageSpendLimitOverrideCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 cacae0177f09..4fc3c7e3b251 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/SubmitRegistrationVersionCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/SubmitRegistrationVersionCommand.ts @@ -71,25 +71,19 @@ export interface SubmitRegistrationVersionCommandOutput extends SubmitRegistrati * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 46854cfeea28..c0a2e91297c2 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/TagResourceCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/TagResourceCommand.ts @@ -32,10 +32,7 @@ export interface TagResourceCommandInput extends TagResourceRequest {} export interface TagResourceCommandOutput extends TagResourceResult, __MetadataBearer {} /** - *

Adds or overwrites only the specified tags for the specified resource. When you specify an existing tag key, the value is - * overwritten with the new value. Each resource can have a maximum of 50 tags. Each tag - * consists of a key and an optional value. Tag keys must be unique per resource. For more - * information about tags, see Tags in the AWS End User Messaging SMS User Guide.

+ *

Adds or overwrites only the specified tags for the specified resource. When you specify an existing tag key, the value is overwritten with the new value. Each tag consists of a key and an optional value. Tag keys must be unique per resource. For more information about tags, see Tags in the AWS End User Messaging SMS User Guide.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -64,12 +61,10 @@ export interface TagResourceCommandOutput extends TagResourceResult, __MetadataB * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

@@ -78,8 +73,7 @@ export interface TagResourceCommandOutput extends TagResourceResult, __MetadataB *

The request would cause a service quota to be exceeded.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 f543affaf983..a98a3fab1e77 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/UntagResourceCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/UntagResourceCommand.ts @@ -32,8 +32,7 @@ export interface UntagResourceCommandInput extends UntagResourceRequest {} export interface UntagResourceCommandOutput extends UntagResourceResult, __MetadataBearer {} /** - *

Removes the association of the specified tags from a - * resource. For more information on tags see Tags in the AWS End User Messaging SMS User Guide.

+ *

Removes the association of the specified tags from a resource. For more information on tags see Tags in the AWS End User Messaging SMS User Guide.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -59,19 +58,16 @@ export interface UntagResourceCommandOutput extends UntagResourceResult, __Metad * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 76110b5a6342..2faac707f937 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateEventDestinationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateEventDestinationCommand.ts @@ -32,12 +32,7 @@ export interface UpdateEventDestinationCommandInput extends UpdateEventDestinati export interface UpdateEventDestinationCommandOutput extends UpdateEventDestinationResult, __MetadataBearer {} /** - *

Updates an existing event destination in a configuration set. You can update the - * IAM role ARN for CloudWatch Logs and Firehose. You can - * also enable or disable the event destination.

- *

You may want to update an event destination to change its matching event types or - * updating the destination resource ARN. You can't change an event destination's type - * between CloudWatch Logs, Firehose, and Amazon SNS.

+ *

Updates an existing event destination in a configuration set. You can update the IAM role ARN for CloudWatch Logs and Firehose. You can also enable or disable the event destination.

You may want to update an event destination to change its matching event types or updating the destination resource ARN. You can't change an event destination's type between CloudWatch Logs, Firehose, and Amazon SNS.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -97,25 +92,19 @@ export interface UpdateEventDestinationCommandOutput extends UpdateEventDestinat * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 59df2a730b0e..685fa19f0a74 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdatePhoneNumberCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdatePhoneNumberCommand.ts @@ -32,11 +32,7 @@ export interface UpdatePhoneNumberCommandInput extends UpdatePhoneNumberRequest export interface UpdatePhoneNumberCommandOutput extends UpdatePhoneNumberResult, __MetadataBearer {} /** - *

Updates the configuration of an existing origination phone number. You can update the - * opt-out list, enable or disable two-way messaging, change the TwoWayChannelArn, enable - * or disable self-managed opt-outs, and enable or disable deletion protection.

- *

If the origination phone number is associated with a pool, an error is - * returned.

+ *

Updates the configuration of an existing origination phone number. You can update the opt-out list, enable or disable two-way messaging, change the TwoWayChannelArn, enable or disable self-managed opt-outs, and enable or disable deletion protection.

If the origination phone number is associated with a pool, an error is returned.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -85,25 +81,19 @@ export interface UpdatePhoneNumberCommandOutput extends UpdatePhoneNumberResult, * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 b5f5d8c8079e..440fed618e9e 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdatePoolCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdatePoolCommand.ts @@ -32,10 +32,7 @@ export interface UpdatePoolCommandInput extends UpdatePoolRequest {} export interface UpdatePoolCommandOutput extends UpdatePoolResult, __MetadataBearer {} /** - *

Updates the configuration of an existing pool. You can update the opt-out list, enable - * or disable two-way messaging, change the TwoWayChannelArn, enable or - * disable self-managed opt-outs, enable or disable deletion protection, and enable or - * disable shared routes.

+ *

Updates the configuration of an existing pool. You can update the opt-out list, enable or disable two-way messaging, change the TwoWayChannelArn, enable or disable self-managed opt-outs, enable or disable deletion protection, and enable or disable shared routes.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -78,25 +75,19 @@ export interface UpdatePoolCommandOutput extends UpdatePoolResult, __MetadataBea * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 0c80233f921d..31e7fa9d958d 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateProtectConfigurationCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateProtectConfigurationCommand.ts @@ -62,19 +62,16 @@ export interface UpdateProtectConfigurationCommandOutput extends UpdateProtectCo * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 81ac3ef06f53..97b2f6421a92 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateProtectConfigurationCountryRuleSetCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateProtectConfigurationCountryRuleSetCommand.ts @@ -41,7 +41,7 @@ export interface UpdateProtectConfigurationCountryRuleSetCommandOutput __MetadataBearer {} /** - *

Update a country rule set to ALLOW or BLOCK messages to be sent to the specified destination counties. You can update one or multiple countries at a time. The updates are only applied to the specified NumberCapability type.

+ *

Update a country rule set to ALLOW, BLOCK, MONITOR, or FILTER messages to be sent to the specified destination counties. You can update one or multiple countries at a time. The updates are only applied to the specified NumberCapability type.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript @@ -79,19 +79,16 @@ export interface UpdateProtectConfigurationCountryRuleSetCommandOutput * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 58b1727c4286..c9cfe7464f8a 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateSenderIdCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/UpdateSenderIdCommand.ts @@ -68,19 +68,16 @@ export interface UpdateSenderIdCommandOutput extends UpdateSenderIdResult, __Met * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

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 f9ee5f2539e1..705be3c374be 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/commands/VerifyDestinationNumberCommand.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/commands/VerifyDestinationNumberCommand.ts @@ -62,25 +62,19 @@ export interface VerifyDestinationNumberCommandOutput extends VerifyDestinationN * @see {@link PinpointSMSVoiceV2ClientResolvedConfig | config} for PinpointSMSVoiceV2Client's `config` shape. * * @throws {@link AccessDeniedException} (client fault) - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* * @throws {@link ConflictException} (client fault) - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

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

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

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

A requested resource couldn't be found.

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

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

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

A validation exception for a field.

diff --git a/clients/client-pinpoint-sms-voice-v2/src/index.ts b/clients/client-pinpoint-sms-voice-v2/src/index.ts index 693f85f0388e..f2be630d1d25 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/index.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/index.ts @@ -1,39 +1,7 @@ // smithy-typescript generated code /* eslint-disable */ /** - *

Welcome to the AWS End User Messaging SMS and Voice, version 2 API Reference. - * This guide provides information about AWS End User Messaging SMS and Voice, version 2 API - * resources, including supported HTTP methods, parameters, and schemas.

- *

Amazon Pinpoint is an Amazon Web Services service that you can use to engage with - * your recipients across multiple messaging channels. The AWS End User Messaging SMS and Voice, version 2 API provides programmatic access to options that are unique to the SMS - * and voice channels. AWS End User Messaging SMS and Voice, version 2 resources such as phone numbers, sender IDs, and opt-out lists can be used by the Amazon Pinpoint API.

- *

If you're new to AWS End User Messaging SMS and Voice, it's also helpful to review the - * AWS End User Messaging SMS User Guide. The AWS End User Messaging SMS User Guide - * provides tutorials, code samples, and procedures that - * demonstrate how to use AWS End User Messaging SMS and Voice features programmatically and how to integrate - * functionality into mobile apps and other types of applications. - * The guide also provides key information, such as AWS End User Messaging SMS and Voice integration with - * other Amazon Web Services services, and the quotas that apply to use of the - * service.

- *

- * Regional availability - *

- *

The AWS End User Messaging SMS and Voice version 2 API Reference is - * available in several Amazon Web Services Regions and it provides an endpoint for each of - * these Regions. For a list of all the Regions and endpoints where the API is currently - * available, see Amazon Web Services Service Endpoints and Amazon Pinpoint - * endpoints and quotas in the Amazon Web Services General Reference. To - * learn more about Amazon Web Services Regions, see Managing - * Amazon Web Services Regions in the Amazon Web Services General - * Reference.

- *

In each Region, Amazon Web Services maintains multiple Availability Zones. These - * Availability Zones are physically isolated from each other, but are united by private, - * low-latency, high-throughput, and highly redundant network connections. These - * Availability Zones enable us to provide very high levels of availability and redundancy, - * while also minimizing latency. To learn more about the number of Availability Zones that - * are available in each Region, see Amazon Web Services - * Global Infrastructure. - *

+ *

Welcome to the AWS End User Messaging SMS and Voice, version 2 API Reference. This guide provides information about AWS End User Messaging SMS and Voice, version 2 API resources, including supported HTTP methods, parameters, and schemas.

Amazon Pinpoint is an Amazon Web Services service that you can use to engage with your recipients across multiple messaging channels. The AWS End User Messaging SMS and Voice, version 2 API provides programmatic access to options that are unique to the SMS and voice channels. AWS End User Messaging SMS and Voice, version 2 resources such as phone numbers, sender IDs, and opt-out lists can be used by the Amazon Pinpoint API.

If you're new to AWS End User Messaging SMS and Voice, it's also helpful to review the AWS End User Messaging SMS User Guide. The AWS End User Messaging SMS User Guide provides tutorials, code samples, and procedures that demonstrate how to use AWS End User Messaging SMS and Voice features programmatically and how to integrate functionality into mobile apps and other types of applications. The guide also provides key information, such as AWS End User Messaging SMS and Voice integration with other Amazon Web Services services, and the quotas that apply to use of the service.

Regional availability

The AWS End User Messaging SMS and Voice version 2 API Reference is available in several Amazon Web Services Regions and it provides an endpoint for each of these Regions. For a list of all the Regions and endpoints where the API is currently available, see Amazon Web Services Service Endpoints and Amazon Pinpoint endpoints and quotas in the Amazon Web Services General Reference. To learn more about Amazon Web Services Regions, see Managing Amazon Web Services Regions in the Amazon Web Services General Reference.

In each Region, Amazon Web Services maintains multiple Availability Zones. These Availability Zones are physically isolated from each other, but are united by private, low-latency, high-throughput, and highly redundant network connections. These Availability Zones enable us to provide very high levels of availability and redundancy, while also minimizing latency. To learn more about the number of Availability Zones that are available in each Region, see Amazon Web Services Global Infrastructure.

* * @packageDocumentation */ diff --git a/clients/client-pinpoint-sms-voice-v2/src/models/models_0.ts b/clients/client-pinpoint-sms-voice-v2/src/models/models_0.ts index 56454820e1a1..a2f1457e325c 100644 --- a/clients/client-pinpoint-sms-voice-v2/src/models/models_0.ts +++ b/clients/client-pinpoint-sms-voice-v2/src/models/models_0.ts @@ -19,8 +19,7 @@ export type AccessDeniedExceptionReason = (typeof AccessDeniedExceptionReason)[keyof typeof AccessDeniedExceptionReason]; /** - *

The request was denied because you don't have sufficient permissions to access the - * resource.

+ *

The request was denied because you don't have sufficient permissions to access the resource.

* @public */ export class AccessDeniedException extends __BaseException { @@ -128,38 +127,25 @@ export interface AccountLimit { */ export interface AssociateOriginationIdentityRequest { /** - *

The pool to update with the new Identity. This value can be either the PoolId or - * PoolArn, and you can find these values using DescribePools.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The pool to update with the new Identity. This value can be either the PoolId or PoolArn, and you can find these values using DescribePools.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The origination identity to use, such as PhoneNumberId, PhoneNumberArn, SenderId, or - * SenderIdArn. You can use DescribePhoneNumbers to find the values for - * PhoneNumberId and PhoneNumberArn, while DescribeSenderIds can be used - * to get the values for SenderId and SenderIdArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The origination identity to use, such as PhoneNumberId, PhoneNumberArn, SenderId, or SenderIdArn. You can use DescribePhoneNumbers to find the values for PhoneNumberId and PhoneNumberArn, while DescribeSenderIds can be used to get the values for SenderId and SenderIdArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The new two-character code, in ISO 3166-1 alpha-2 format, for the country or region of - * the origination identity.

+ *

The new two-character code, in ISO 3166-1 alpha-2 format, for the country or region of the origination identity.

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

Unique, case-sensitive identifier that you provide to ensure the idempotency of the - * request. If you don't specify a client token, a randomly generated token is used for the - * request to ensure idempotency.

+ *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

* @public */ ClientToken?: string | undefined; @@ -170,8 +156,7 @@ export interface AssociateOriginationIdentityRequest { */ export interface AssociateOriginationIdentityResult { /** - *

The Amazon Resource Name (ARN) of the pool that is now associated with the origination - * identity.

+ *

The Amazon Resource Name (ARN) of the pool that is now associated with the origination identity.

* @public */ PoolArn?: string | undefined; @@ -195,8 +180,7 @@ export interface AssociateOriginationIdentityResult { OriginationIdentity?: string | undefined; /** - *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region. - *

+ *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

* @public */ IsoCountryCode?: string | undefined; @@ -280,10 +264,7 @@ export const ResourceType = { export type ResourceType = (typeof ResourceType)[keyof typeof ResourceType]; /** - *

Your request has conflicting operations. This can occur if you're trying to perform - * more than one operation on the same resource at the same time or it could be that the - * requested action isn't valid for the current state or configuration of the - * resource.

+ *

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

* @public */ export class ConflictException extends __BaseException { @@ -325,8 +306,7 @@ export class ConflictException extends __BaseException { } /** - *

The API encountered an unexpected error and couldn't complete the request. You might - * be able to successfully issue the request again in the future.

+ *

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

* @public */ export class InternalServerException extends __BaseException { @@ -454,8 +434,7 @@ export class ServiceQuotaExceededException extends __BaseException { } /** - *

An error that occurred because too many requests were sent during a certain amount of - * time.

+ *

An error that occurred because too many requests were sent during a certain amount of time.

* @public */ export class ThrottlingException extends __BaseException { @@ -491,8 +470,7 @@ export interface ValidationExceptionField { Name: string | undefined; /** - *

The message associated with the validation exception with information to help - * determine its cause.

+ *

The message associated with the validation exception with information to help determine its cause.

* @public */ Message: string | undefined; @@ -662,14 +640,12 @@ export type AttachmentUploadErrorReason = (typeof AttachmentUploadErrorReason)[keyof typeof AttachmentUploadErrorReason]; /** - *

Contains the destination configuration to use when publishing message sending events. - *

+ *

Contains the destination configuration to use when publishing message sending events.

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

The Amazon Resource Name (ARN) of an Identity and Access Management role - * that is able to write event data to an Amazon CloudWatch destination.

+ *

The Amazon Resource Name (ARN) of an Identity and Access Management role that is able to write event data to an Amazon CloudWatch destination.

* @public */ IamRoleArn: string | undefined; @@ -732,16 +708,12 @@ export const MessageType = { export type MessageType = (typeof MessageType)[keyof typeof MessageType]; /** - *

Contains the delivery stream Amazon Resource Name (ARN), and the ARN of the Identity and Access Management (IAM) role associated with a Firehose event - * destination.

- *

Event destinations, such as Firehose, are associated with configuration - * sets, which enable you to publish message sending events.

+ *

Contains the delivery stream Amazon Resource Name (ARN), and the ARN of the Identity and Access Management (IAM) role associated with a Firehose event destination.

Event destinations, such as Firehose, are associated with configuration sets, which enable you to publish message sending events.

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

The ARN of an Identity and Access Management role that is able to write - * event data to an Amazon Data Firehose destination.

+ *

The ARN of an Identity and Access Management role that is able to write event data to an Amazon Data Firehose destination.

* @public */ IamRoleArn: string | undefined; @@ -809,23 +781,19 @@ export const EventType = { export type EventType = (typeof EventType)[keyof typeof EventType]; /** - *

An object that defines an Amazon SNS destination for events. You can use - * Amazon SNS to send notification when certain events occur.

+ *

An object that defines an Amazon SNS destination for events. You can use Amazon SNS to send notification when certain events occur.

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

The Amazon Resource Name (ARN) of the Amazon SNS topic that you want to - * publish events to.

+ *

The Amazon Resource Name (ARN) of the Amazon SNS topic that you want to publish events to.

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

Contains information about an event destination.

- *

Event destinations are associated with configuration sets, which enable you to publish - * message sending events to CloudWatch, Firehose, or Amazon SNS.

+ *

Contains information about an event destination.

Event destinations are associated with configuration sets, which enable you to publish message sending events to CloudWatch, Firehose, or Amazon SNS.

* @public */ export interface EventDestination { @@ -842,17 +810,13 @@ export interface EventDestination { Enabled: boolean | undefined; /** - *

An array of event types that determine which events to log.

- * - *

The TEXT_SENT event type is not supported.

- *
+ *

An array of event types that determine which events to log.

The TEXT_SENT event type is not supported.

* @public */ MatchingEventTypes: EventType[] | undefined; /** - *

An object that contains information about an event destination that sends logging - * events to Amazon CloudWatch logs.

+ *

An object that contains information about an event destination that sends logging events to Amazon CloudWatch logs.

* @public */ CloudWatchLogsDestination?: CloudWatchLogsDestination | undefined; @@ -864,16 +828,14 @@ export interface EventDestination { KinesisFirehoseDestination?: KinesisFirehoseDestination | undefined; /** - *

An object that contains information about an event destination that sends logging - * events to Amazon SNS.

+ *

An object that contains information about an event destination that sends logging events to Amazon SNS.

* @public */ SnsDestination?: SnsDestination | undefined; } /** - *

Information related to a given configuration set in your Amazon Web Services - * account.

+ *

Information related to a given configuration set in your Amazon Web Services account.

* @public */ export interface ConfigurationSetInformation { @@ -890,16 +852,13 @@ export interface ConfigurationSetInformation { ConfigurationSetName: string | undefined; /** - *

An array of EventDestination objects that describe any events to log and where to log - * them.

+ *

An array of EventDestination objects that describe any events to log and where to log them.

* @public */ EventDestinations: EventDestination[] | undefined; /** - *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or - * time-sensitive and PROMOTIONAL for messages that aren't critical or - * time-sensitive.

+ *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

* @public */ DefaultMessageType?: MessageType | undefined; @@ -964,9 +923,7 @@ export interface CreateConfigurationSetRequest { Tags?: Tag[] | undefined; /** - *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the - * request. If you don't specify a client token, a randomly generated token is used for the - * request to ensure idempotency.

+ *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

* @public */ ClientToken?: string | undefined; @@ -989,8 +946,7 @@ export interface CreateConfigurationSetResult { ConfigurationSetName?: string | undefined; /** - *

An array of key and value pair tags that's associated with the configuration - * set.

+ *

An array of key and value pair tags that's associated with the configuration set.

* @public */ Tags?: Tag[] | undefined; @@ -1007,8 +963,7 @@ export interface CreateConfigurationSetResult { */ export interface CreateEventDestinationRequest { /** - *

Either the name of the configuration set or the configuration set ARN to apply event - * logging to. The ConfigurateSetName and ConfigurationSetArn can be found using the DescribeConfigurationSets action.

+ *

Either the name of the configuration set or the configuration set ARN to apply event logging to. The ConfigurateSetName and ConfigurationSetArn can be found using the DescribeConfigurationSets action.

* @public */ ConfigurationSetName: string | undefined; @@ -1020,11 +975,7 @@ export interface CreateEventDestinationRequest { EventDestinationName: string | undefined; /** - *

An array of event types that determine which events to log. If "ALL" is used, then - * AWS End User Messaging SMS and Voice logs every event type.

- * - *

The TEXT_SENT event type is not supported.

- *
+ *

An array of event types that determine which events to log. If "ALL" is used, then AWS End User Messaging SMS and Voice logs every event type.

The TEXT_SENT event type is not supported.

* @public */ MatchingEventTypes: EventType[] | undefined; @@ -1048,9 +999,7 @@ export interface CreateEventDestinationRequest { SnsDestination?: SnsDestination | undefined; /** - *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the - * request. If you don't specify a client token, a randomly generated token is used for the - * request to ensure idempotency.

+ *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

* @public */ ClientToken?: string | undefined; @@ -1096,9 +1045,7 @@ export interface CreateOptOutListRequest { Tags?: Tag[] | undefined; /** - *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the - * request. If you don't specify a client token, a randomly generated token is used for the - * request to ensure idempotency.

+ *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

* @public */ ClientToken?: string | undefined; @@ -1138,36 +1085,25 @@ export interface CreateOptOutListResult { */ export interface CreatePoolRequest { /** - *

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, SenderId or - * SenderIdArn. You can use DescribePhoneNumbers to find the values for - * PhoneNumberId and PhoneNumberArn while DescribeSenderIds can be used - * to get the values for SenderId and SenderIdArn.

- *

After the pool is created you can add more origination identities to the pool by using AssociateOriginationIdentity.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, SenderId or SenderIdArn. You can use DescribePhoneNumbers to find the values for PhoneNumberId and PhoneNumberArn while DescribeSenderIds can be used to get the values for SenderId and SenderIdArn.

After the pool is created you can add more origination identities to the pool by using AssociateOriginationIdentity.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The new two-character code, in ISO 3166-1 alpha-2 format, for the country or region of - * the new pool.

+ *

The new two-character code, in ISO 3166-1 alpha-2 format, for the country or region of the new pool.

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

The type of message. Valid values are TRANSACTIONAL for messages that are critical or - * time-sensitive and PROMOTIONAL for messages that aren't critical or - * time-sensitive. After the pool is created the MessageType can't be changed.

+ *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive. After the pool is created the MessageType can't be changed.

* @public */ MessageType: MessageType | undefined; /** - *

By default this is set to false. When set to true the pool can't be deleted. You can - * change this value using the UpdatePool action.

+ *

By default this is set to false. When set to true the pool can't be deleted. You can change this value using the UpdatePool action.

* @public */ DeletionProtectionEnabled?: boolean | undefined; @@ -1179,9 +1115,7 @@ export interface CreatePoolRequest { Tags?: Tag[] | undefined; /** - *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the - * request. If you don't specify a client token, a randomly generated token is used for the - * request to ensure idempotency.

+ *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

* @public */ ClientToken?: string | undefined; @@ -1219,19 +1153,7 @@ export interface CreatePoolResult { PoolId?: string | undefined; /** - *

The current status of the pool.

- *
    - *
  • - *

    CREATING: The pool is currently being created and isn't yet available for - * use.

    - *
  • - *
  • - *

    ACTIVE: The pool is active and available for use.

    - *
  • - *
  • - *

    DELETING: The pool is being deleted.

    - *
  • - *
+ *

The current status of the pool.

  • CREATING: The pool is currently being created and isn't yet available for use.

  • ACTIVE: The pool is active and available for use.

  • DELETING: The pool is being deleted.

* @public */ Status?: PoolStatus | undefined; @@ -1243,8 +1165,7 @@ export interface CreatePoolResult { MessageType?: MessageType | undefined; /** - *

By default this is set to false. When set to true you can receive incoming text - * messages from your end recipients.

+ *

By default this is set to false. When set to true you can receive incoming text messages from your end recipients.

* @public */ TwoWayEnabled?: boolean | undefined; @@ -1262,11 +1183,7 @@ export interface CreatePoolResult { TwoWayChannelRole?: string | undefined; /** - *

By default this is set to false. When an end recipient sends a message that begins - * with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically - * replies with a customizable message and adds the end recipient to the OptOutList. When - * set to true you're responsible for responding to HELP and STOP requests. You're also - * responsible for tracking and honoring opt-out requests.

+ *

By default this is set to false. When an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out requests.

* @public */ SelfManagedOptOutsEnabled?: boolean | undefined; @@ -1284,8 +1201,7 @@ export interface CreatePoolResult { SharedRoutesEnabled?: boolean | undefined; /** - *

When set to true deletion protection is enabled. By default this is set to false. - *

+ *

When set to true deletion protection is enabled. By default this is set to false.

* @public */ DeletionProtectionEnabled?: boolean | undefined; @@ -1308,16 +1224,13 @@ export interface CreatePoolResult { */ export interface CreateProtectConfigurationRequest { /** - *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the - * request. If you don't specify a client token, a randomly generated token is used for the - * request to ensure idempotency.

+ *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

* @public */ ClientToken?: string | undefined; /** - *

When set to true deletion protection is enabled. By default this is set to false. - *

+ *

When set to true deletion protection is enabled. By default this is set to false.

* @public */ DeletionProtectionEnabled?: boolean | undefined; @@ -1358,8 +1271,7 @@ export interface CreateProtectConfigurationResult { AccountDefault: boolean | undefined; /** - *

When set to true deletion protection is enabled. By default this is set to false. - *

+ *

When set to true deletion protection is enabled. By default this is set to false.

* @public */ DeletionProtectionEnabled: boolean | undefined; @@ -1376,8 +1288,7 @@ export interface CreateProtectConfigurationResult { */ export interface CreateRegistrationRequest { /** - *

The type of registration form to create. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions - * action.

+ *

The type of registration form to create. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

* @public */ RegistrationType: string | undefined; @@ -1389,9 +1300,7 @@ export interface CreateRegistrationRequest { Tags?: Tag[] | undefined; /** - *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the - * request. If you don't specify a client token, a randomly generated token is used for the - * request to ensure idempotency.

+ *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

* @public */ ClientToken?: string | undefined; @@ -1435,52 +1344,13 @@ export interface CreateRegistrationResult { RegistrationId: string | undefined; /** - *

The type of registration form to create. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions - * action.

+ *

The type of registration form to create. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

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

The status of the registration.

- *
    - *
  • - *

    - * CLOSED: The phone number or sender ID has been deleted and you must also delete the registration for the number.

    - *
  • - *
  • - *

    - * CREATED: Your registration is created but not submitted.

    - *
  • - *
  • - *

    - * COMPLETE: Your registration has been approved and your origination identity has been created.

    - *
  • - *
  • - *

    - * DELETED: The registration has been deleted.

    - *
  • - *
  • - *

    - * PROVISIONING: Your registration has been approved and your origination identity is being created.

    - *
  • - *
  • - *

    - * REQUIRES_AUTHENTICATION: You need to complete email authentication.

    - *
  • - *
  • - *

    - * REQUIRES_UPDATES: You must fix your registration and resubmit it.

    - *
  • - *
  • - *

    - * REVIEWING: Your registration has been accepted and is being reviewed.

    - *
  • - *
  • - *

    - * SUBMITTED: Your registration has been submitted and is awaiting review.

    - *
  • - *
+ *

The status of the registration.

  • CLOSED: The phone number or sender ID has been deleted and you must also delete the registration for the number.

  • CREATED: Your registration is created but not submitted.

  • COMPLETE: Your registration has been approved and your origination identity has been created.

  • DELETED: The registration has been deleted.

  • PROVISIONING: Your registration has been approved and your origination identity is being created.

  • REQUIRES_AUTHENTICATION: You need to complete email authentication.

  • REQUIRES_UPDATES: You must fix your registration and resubmit it.

  • REVIEWING: Your registration has been accepted and is being reviewed.

  • SUBMITTED: Your registration has been submitted and is awaiting review.

* @public */ RegistrationStatus: RegistrationStatus | undefined; @@ -1544,8 +1414,7 @@ export interface CreateRegistrationAssociationResult { RegistrationId: string | undefined; /** - *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions - * action.

+ *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

* @public */ RegistrationType: string | undefined; @@ -1604,9 +1473,7 @@ export interface CreateRegistrationAttachmentRequest { Tags?: Tag[] | undefined; /** - *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the - * request. If you don't specify a client token, a randomly generated token is used for the - * request to ensure idempotency.

+ *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

* @public */ ClientToken?: string | undefined; @@ -1629,25 +1496,7 @@ export interface CreateRegistrationAttachmentResult { RegistrationAttachmentId: string | undefined; /** - *

The status of the registration attachment.

- *
    - *
  • - *

    - * UPLOAD_IN_PROGRESS The attachment is being uploaded.

    - *
  • - *
  • - *

    - * UPLOAD_COMPLETE The attachment has been uploaded.

    - *
  • - *
  • - *

    - * UPLOAD_FAILED The attachment failed to uploaded.

    - *
  • - *
  • - *

    - * DELETED The attachment has been deleted..

    - *
  • - *
+ *

The status of the registration attachment.

  • UPLOAD_IN_PROGRESS The attachment is being uploaded.

  • UPLOAD_COMPLETE The attachment has been uploaded.

  • UPLOAD_FAILED The attachment failed to uploaded.

  • DELETED The attachment has been deleted..

* @public */ AttachmentStatus: AttachmentStatus | undefined; @@ -1780,45 +1629,7 @@ export interface CreateRegistrationVersionResult { VersionNumber: number | undefined; /** - *

The status of the registration.

- *
    - *
  • - *

    - * APPROVED: Your registration has been approved.

    - *
  • - *
  • - *

    - * ARCHIVED: Your previously approved registration version moves into this status when a more recently submitted version is approved.

    - *
  • - *
  • - *

    - * DENIED: You must fix your registration and resubmit it.

    - *
  • - *
  • - *

    - * DISCARDED: You've abandon this version of their registration to start over with a new version.

    - *
  • - *
  • - *

    - * DRAFT: The initial status of a registration version after it’s created.

    - *
  • - *
  • - *

    - * REQUIRES_AUTHENTICATION: You need to complete email authentication.

    - *
  • - *
  • - *

    - * REVIEWING: Your registration has been accepted and is being reviewed.

    - *
  • - *
  • - *

    - * REVOKED: Your previously approved registration has been revoked.

    - *
  • - *
  • - *

    - * SUBMITTED: Your registration has been submitted.

    - *
  • - *
+ *

The status of the registration.

  • APPROVED: Your registration has been approved.

  • ARCHIVED: Your previously approved registration version moves into this status when a more recently submitted version is approved.

  • DENIED: You must fix your registration and resubmit it.

  • DISCARDED: You've abandon this version of their registration to start over with a new version.

  • DRAFT: The initial status of a registration version after it’s created.

  • REQUIRES_AUTHENTICATION: You need to complete email authentication.

  • REVIEWING: Your registration has been accepted and is being reviewed.

  • REVOKED: Your previously approved registration has been revoked.

  • SUBMITTED: Your registration has been submitted.

* @public */ RegistrationVersionStatus: RegistrationVersionStatus | undefined; @@ -1847,9 +1658,7 @@ export interface CreateVerifiedDestinationNumberRequest { Tags?: Tag[] | undefined; /** - *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the - * request. If you don't specify a client token, a randomly generated token is used for the - * request to ensure idempotency.

+ *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

* @public */ ClientToken?: string | undefined; @@ -1892,17 +1701,7 @@ export interface CreateVerifiedDestinationNumberResult { DestinationPhoneNumber: string | undefined; /** - *

The status of the verified destination phone number.

- *
    - *
  • - *

    - * PENDING: The phone number hasn't been verified yet.

    - *
  • - *
  • - *

    - * VERIFIED: The phone number is verified and can receive messages.

    - *
  • - *
+ *

The status of the verified destination phone number.

  • PENDING: The phone number hasn't been verified yet.

  • VERIFIED: The phone number is verified and can receive messages.

* @public */ Status: VerificationStatus | undefined; @@ -1947,8 +1746,7 @@ export interface DeleteAccountDefaultProtectConfigurationResult { */ export interface DeleteConfigurationSetRequest { /** - *

The name of the configuration set or the configuration set ARN that you want to - * delete. The ConfigurationSetName and ConfigurationSetArn can be found using the DescribeConfigurationSets action.

+ *

The name of the configuration set or the configuration set ARN that you want to delete. The ConfigurationSetName and ConfigurationSetArn can be found using the DescribeConfigurationSets action.

* @public */ ConfigurationSetName: string | undefined; @@ -1971,8 +1769,7 @@ export interface DeleteConfigurationSetResult { ConfigurationSetName?: string | undefined; /** - *

An array of any EventDestination objects that were associated with the deleted - * configuration set.

+ *

An array of any EventDestination objects that were associated with the deleted configuration set.

* @public */ EventDestinations?: EventDestination[] | undefined; @@ -2007,10 +1804,7 @@ export interface DeleteConfigurationSetResult { */ export interface DeleteDefaultMessageTypeRequest { /** - *

The name of the configuration set or the configuration set Amazon Resource Name (ARN) - * to delete the default message type from. The ConfigurationSetName and - * ConfigurationSetArn can be found using the DescribeConfigurationSets - * action.

+ *

The name of the configuration set or the configuration set Amazon Resource Name (ARN) to delete the default message type from. The ConfigurationSetName and ConfigurationSetArn can be found using the DescribeConfigurationSets action.

* @public */ ConfigurationSetName: string | undefined; @@ -2044,9 +1838,7 @@ export interface DeleteDefaultMessageTypeResult { */ export interface DeleteDefaultSenderIdRequest { /** - *

The name of the configuration set or the configuration set Amazon Resource Name (ARN) - * to delete the default sender ID from. The ConfigurationSetName and ConfigurationSetArn - * can be found using the DescribeConfigurationSets action.

+ *

The name of the configuration set or the configuration set Amazon Resource Name (ARN) to delete the default sender ID from. The ConfigurationSetName and ConfigurationSetArn can be found using the DescribeConfigurationSets action.

* @public */ ConfigurationSetName: string | undefined; @@ -2080,10 +1872,7 @@ export interface DeleteDefaultSenderIdResult { */ export interface DeleteEventDestinationRequest { /** - *

The name of the configuration set or the configuration set's Amazon Resource Name - * (ARN) to remove the event destination from. The ConfigurateSetName and - * ConfigurationSetArn can be found using the DescribeConfigurationSets - * action.

+ *

The name of the configuration set or the configuration set's Amazon Resource Name (ARN) to remove the event destination from. The ConfigurateSetName and ConfigurationSetArn can be found using the DescribeConfigurationSets action.

* @public */ ConfigurationSetName: string | undefined; @@ -2123,13 +1912,7 @@ export interface DeleteEventDestinationResult { */ export interface DeleteKeywordRequest { /** - *

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, PoolId or - * PoolArn. You can use DescribePhoneNumbers to find the values for - * PhoneNumberId and PhoneNumberArn and DescribePools to find the values - * of PoolId and PoolArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, PoolId or PoolArn. You can use DescribePhoneNumbers to find the values for PhoneNumberId and PhoneNumberArn and DescribePools to find the values of PoolId and PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ OriginationIdentity: string | undefined; @@ -2212,10 +1995,7 @@ export interface DeleteMediaMessageSpendLimitOverrideResult { */ export interface DeleteOptedOutNumberRequest { /** - *

The OptOutListName or OptOutListArn to remove the phone number from.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The OptOutListName or OptOutListArn to remove the phone number from.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ OptOutListName: string | undefined; @@ -2256,8 +2036,7 @@ export interface DeleteOptedOutNumberResult { OptedOutTimestamp?: Date | undefined; /** - *

This is true if it was the end user who requested their phone number be removed. - *

+ *

This is true if it was the end user who requested their phone number be removed.

* @public */ EndUserOptedOut?: boolean | undefined; @@ -2268,11 +2047,7 @@ export interface DeleteOptedOutNumberResult { */ export interface DeleteOptOutListRequest { /** - *

The OptOutListName or OptOutListArn of the OptOutList to delete. You can use DescribeOptOutLists to find the values for OptOutListName and - * OptOutListArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The OptOutListName or OptOutListArn of the OptOutList to delete. You can use DescribeOptOutLists to find the values for OptOutListName and OptOutListArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ OptOutListName: string | undefined; @@ -2306,10 +2081,7 @@ export interface DeleteOptOutListResult { */ export interface DeletePoolRequest { /** - *

The PoolId or PoolArn of the pool to delete. You can use DescribePools to find the values for PoolId and PoolArn .

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The PoolId or PoolArn of the pool to delete. You can use DescribePools to find the values for PoolId and PoolArn .

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ PoolId: string | undefined; @@ -2332,19 +2104,7 @@ export interface DeletePoolResult { PoolId?: string | undefined; /** - *

The current status of the pool.

- *
    - *
  • - *

    CREATING: The pool is currently being created and isn't yet available for - * use.

    - *
  • - *
  • - *

    ACTIVE: The pool is active and available for use.

    - *
  • - *
  • - *

    DELETING: The pool is being deleted.

    - *
  • - *
+ *

The current status of the pool.

  • CREATING: The pool is currently being created and isn't yet available for use.

  • ACTIVE: The pool is active and available for use.

  • DELETING: The pool is being deleted.

* @public */ Status?: PoolStatus | undefined; @@ -2356,8 +2116,7 @@ export interface DeletePoolResult { MessageType?: MessageType | undefined; /** - *

By default this is set to false. When set to true you can receive incoming text - * messages from your end recipients.

+ *

By default this is set to false. When set to true you can receive incoming text messages from your end recipients.

* @public */ TwoWayEnabled?: boolean | undefined; @@ -2375,11 +2134,7 @@ export interface DeletePoolResult { TwoWayChannelRole?: string | undefined; /** - *

By default this is set to false. When an end recipient sends a message that begins - * with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically - * replies with a customizable message and adds the end recipient to the OptOutList. When - * set to true you're responsible for responding to HELP and STOP requests. You're also - * responsible for tracking and honoring opt-out requests.

+ *

By default this is set to false. When an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out requests.

* @public */ SelfManagedOptOutsEnabled?: boolean | undefined; @@ -2443,8 +2198,7 @@ export interface DeleteProtectConfigurationResult { AccountDefault: boolean | undefined; /** - *

The status of deletion protection for the protect configuration. When set to true deletion protection is enabled. By default this is set to false. - *

+ *

The status of deletion protection for the protect configuration. When set to true deletion protection is enabled. By default this is set to false.

* @public */ DeletionProtectionEnabled: boolean | undefined; @@ -2557,52 +2311,13 @@ export interface DeleteRegistrationResult { RegistrationId: string | undefined; /** - *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions - * action.

+ *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

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

The status of the registration.

- *
    - *
  • - *

    - * CLOSED: The phone number or sender ID has been deleted and you must also delete the registration for the number.

    - *
  • - *
  • - *

    - * CREATED: Your registration is created but not submitted.

    - *
  • - *
  • - *

    - * COMPLETE: Your registration has been approved and your origination identity has been created.

    - *
  • - *
  • - *

    - * DELETED: The registration has been deleted.

    - *
  • - *
  • - *

    - * PROVISIONING: Your registration has been approved and your origination identity is being created.

    - *
  • - *
  • - *

    - * REQUIRES_AUTHENTICATION: You need to complete email authentication.

    - *
  • - *
  • - *

    - * REQUIRES_UPDATES: You must fix your registration and resubmit it.

    - *
  • - *
  • - *

    - * REVIEWING: Your registration has been accepted and is being reviewed.

    - *
  • - *
  • - *

    - * SUBMITTED: Your registration has been submitted and is awaiting review.

    - *
  • - *
+ *

The status of the registration.

  • CLOSED: The phone number or sender ID has been deleted and you must also delete the registration for the number.

  • CREATED: Your registration is created but not submitted.

  • COMPLETE: Your registration has been approved and your origination identity has been created.

  • DELETED: The registration has been deleted.

  • PROVISIONING: Your registration has been approved and your origination identity is being created.

  • REQUIRES_AUTHENTICATION: You need to complete email authentication.

  • REQUIRES_UPDATES: You must fix your registration and resubmit it.

  • REVIEWING: Your registration has been accepted and is being reviewed.

  • SUBMITTED: Your registration has been submitted and is awaiting review.

* @public */ RegistrationStatus: RegistrationStatus | undefined; @@ -2666,25 +2381,7 @@ export interface DeleteRegistrationAttachmentResult { RegistrationAttachmentId: string | undefined; /** - *

The status of the registration attachment.

- *
    - *
  • - *

    - * UPLOAD_IN_PROGRESS The attachment is being uploaded.

    - *
  • - *
  • - *

    - * UPLOAD_COMPLETE The attachment has been uploaded.

    - *
  • - *
  • - *

    - * UPLOAD_FAILED The attachment failed to uploaded.

    - *
  • - *
  • - *

    - * DELETED The attachment has been deleted..

    - *
  • - *
+ *

The status of the registration attachment.

  • UPLOAD_IN_PROGRESS The attachment is being uploaded.

  • UPLOAD_COMPLETE The attachment has been uploaded.

  • UPLOAD_FAILED The attachment failed to uploaded.

  • DELETED The attachment has been deleted..

* @public */ AttachmentStatus: AttachmentStatus | undefined; @@ -2877,8 +2574,7 @@ export interface DeleteVoiceMessageSpendLimitOverrideResult { */ export interface DescribeAccountAttributesRequest { /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -2901,8 +2597,7 @@ export interface DescribeAccountAttributesResult { AccountAttributes?: AccountAttribute[] | undefined; /** - *

The token to be used for the next set of paginated results. If this field is empty - * then there are no more results.

+ *

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

* @public */ NextToken?: string | undefined; @@ -2913,8 +2608,7 @@ export interface DescribeAccountAttributesResult { */ export interface DescribeAccountLimitsRequest { /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -2937,8 +2631,7 @@ export interface DescribeAccountLimitsResult { AccountLimits?: AccountLimit[] | undefined; /** - *

The token to be used for the next set of paginated results. If this field is empty - * then there are no more results.

+ *

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

* @public */ NextToken?: string | undefined; @@ -2949,8 +2642,7 @@ export interface DescribeAccountLimitsResult { */ export interface DescribeConfigurationSetsRequest { /** - *

An array of strings. Each element can be either a ConfigurationSetName or - * ConfigurationSetArn.

+ *

An array of strings. Each element can be either a ConfigurationSetName or ConfigurationSetArn.

* @public */ ConfigurationSetNames?: string[] | undefined; @@ -2962,8 +2654,7 @@ export interface DescribeConfigurationSetsRequest { Filters?: ConfigurationSetFilter[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -2986,8 +2677,7 @@ export interface DescribeConfigurationSetsResult { ConfigurationSets?: ConfigurationSetInformation[] | undefined; /** - *

The token to be used for the next set of paginated results. If this field is empty - * then there are no more results.

+ *

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

* @public */ NextToken?: string | undefined; @@ -3029,13 +2719,7 @@ export interface KeywordFilter { */ export interface DescribeKeywordsRequest { /** - *

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, SenderId or - * SenderIdArn. You can use DescribePhoneNumbers to find the values for - * PhoneNumberId and PhoneNumberArn while DescribeSenderIds can be used - * to get the values for SenderId and SenderIdArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, SenderId or SenderIdArn. You can use DescribePhoneNumbers to find the values for PhoneNumberId and PhoneNumberArn while DescribeSenderIds can be used to get the values for SenderId and SenderIdArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ OriginationIdentity: string | undefined; @@ -3053,8 +2737,7 @@ export interface DescribeKeywordsRequest { Filters?: KeywordFilter[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -3113,8 +2796,7 @@ export interface DescribeKeywordsResult { Keywords?: KeywordInformation[] | undefined; /** - *

The token to be used for the next set of paginated results. If this field is empty - * then there are no more results.

+ *

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

* @public */ NextToken?: string | undefined; @@ -3156,18 +2838,13 @@ export interface OptedOutFilter { */ export interface DescribeOptedOutNumbersRequest { /** - *

The OptOutListName or OptOutListArn of the OptOutList. You can use DescribeOptOutLists to find the values for OptOutListName and - * OptOutListArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The OptOutListName or OptOutListArn of the OptOutList. You can use DescribeOptOutLists to find the values for OptOutListName and OptOutListArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

An array of phone numbers to search for in the OptOutList.

- *

If you specify an opted out number that isn't valid, an exception is returned.

+ *

An array of phone numbers to search for in the OptOutList.

If you specify an opted out number that isn't valid, an exception is returned.

* @public */ OptedOutNumbers?: string[] | undefined; @@ -3179,8 +2856,7 @@ export interface DescribeOptedOutNumbersRequest { Filters?: OptedOutFilter[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -3233,15 +2909,13 @@ export interface DescribeOptedOutNumbersResult { OptOutListName?: string | undefined; /** - *

An array of OptedOutNumbersInformation objects that provide information about the - * requested OptedOutNumbers.

+ *

An array of OptedOutNumbersInformation objects that provide information about the requested OptedOutNumbers.

* @public */ OptedOutNumbers?: OptedOutNumberInformation[] | undefined; /** - *

The token to be used for the next set of paginated results. If this field is empty - * then there are no more results.

+ *

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

* @public */ NextToken?: string | undefined; @@ -3266,18 +2940,13 @@ export type Owner = (typeof Owner)[keyof typeof Owner]; */ export interface DescribeOptOutListsRequest { /** - *

The OptOutLists to show the details of. This is an array of strings that can be either - * the OptOutListName or OptOutListArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The OptOutLists to show the details of. This is an array of strings that can be either the OptOutListName or OptOutListArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ OptOutListNames?: string[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -3324,15 +2993,13 @@ export interface OptOutListInformation { */ export interface DescribeOptOutListsResult { /** - *

An array of OptOutListInformation objects that contain the details for the requested - * OptOutLists.

+ *

An array of OptOutListInformation objects that contain the details for the requested OptOutLists.

* @public */ OptOutLists?: OptOutListInformation[] | undefined; /** - *

The token to be used for the next set of paginated results. If this field is empty - * then there are no more results.

+ *

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

* @public */ NextToken?: string | undefined; @@ -3383,11 +3050,7 @@ export interface PhoneNumberFilter { */ export interface DescribePhoneNumbersRequest { /** - *

The unique identifier of phone numbers to find information about. This is an array of - * strings that can be either the PhoneNumberId or PhoneNumberArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The unique identifier of phone numbers to find information about. This is an array of strings that can be either the PhoneNumberId or PhoneNumberArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ PhoneNumberIds?: string[] | undefined; @@ -3399,8 +3062,7 @@ export interface DescribePhoneNumbersRequest { Filters?: PhoneNumberFilter[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -3497,23 +3159,19 @@ export interface PhoneNumberInformation { Status: NumberStatus | undefined; /** - *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region. - *

+ *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

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

The type of message. Valid values are TRANSACTIONAL for messages that are critical or - * time-sensitive and PROMOTIONAL for messages that aren't critical or - * time-sensitive.

+ *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

* @public */ MessageType: MessageType | undefined; /** - *

Describes if the origination identity can be used for text messages, voice calls or - * both.

+ *

Describes if the origination identity can be used for text messages, voice calls or both.

* @public */ NumberCapabilities: NumberCapability[] | undefined; @@ -3531,8 +3189,7 @@ export interface PhoneNumberInformation { MonthlyLeasingPrice: string | undefined; /** - *

By default this is set to false. When set to true you can receive incoming text - * messages from your end recipients using the TwoWayChannelArn.

+ *

By default this is set to false. When set to true you can receive incoming text messages from your end recipients using the TwoWayChannelArn.

* @public */ TwoWayEnabled: boolean | undefined; @@ -3550,12 +3207,7 @@ export interface PhoneNumberInformation { TwoWayChannelRole?: string | undefined; /** - *

When set to false an end recipient sends a message that begins with HELP or STOP to - * one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a - * customizable message and adds the end recipient to the OptOutList. When set to true - * you're responsible for responding to HELP and STOP requests. You're also responsible for - * tracking and honoring opt-out request. For more information see Self-managed opt-outs - *

+ *

When set to false an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out request. For more information see Self-managed opt-outs

* @public */ SelfManagedOptOutsEnabled: boolean | undefined; @@ -3596,15 +3248,13 @@ export interface PhoneNumberInformation { */ export interface DescribePhoneNumbersResult { /** - *

An array of PhoneNumberInformation objects that contain the details for the requested - * phone numbers.

+ *

An array of PhoneNumberInformation objects that contain the details for the requested phone numbers.

* @public */ PhoneNumbers?: PhoneNumberInformation[] | undefined; /** - *

The token to be used for the next set of paginated results. If this field is empty - * then there are no more results.

+ *

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

* @public */ NextToken?: string | undefined; @@ -3653,11 +3303,7 @@ export interface PoolFilter { */ export interface DescribePoolsRequest { /** - *

The unique identifier of pools to find. This is an array of strings that can be either - * the PoolId or PoolArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The unique identifier of pools to find. This is an array of strings that can be either the PoolId or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ PoolIds?: string[] | undefined; @@ -3669,8 +3315,7 @@ export interface DescribePoolsRequest { Filters?: PoolFilter[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -3712,16 +3357,13 @@ export interface PoolInformation { Status: PoolStatus | undefined; /** - *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or - * time-sensitive and PROMOTIONAL for messages that aren't critical or - * time-sensitive.

+ *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

* @public */ MessageType: MessageType | undefined; /** - *

When set to true you can receive incoming text messages from your end recipients using - * the TwoWayChannelArn.

+ *

When set to true you can receive incoming text messages from your end recipients using the TwoWayChannelArn.

* @public */ TwoWayEnabled: boolean | undefined; @@ -3739,12 +3381,7 @@ export interface PoolInformation { TwoWayChannelRole?: string | undefined; /** - *

When set to false, an end recipient sends a message that begins with HELP or STOP to - * one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a - * customizable message and adds the end recipient to the OptOutList. When set to true - * you're responsible for responding to HELP and STOP requests. You're also responsible for - * tracking and honoring opt-out requests. For more information see Self-managed opt-outs - *

+ *

When set to false, an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out requests. For more information see Self-managed opt-outs

* @public */ SelfManagedOptOutsEnabled: boolean | undefined; @@ -3756,12 +3393,7 @@ export interface PoolInformation { OptOutListName: string | undefined; /** - *

Allows you to enable shared routes on your pool.

- *

By default, this is set to False. If you set this value to - * True, your messages are sent using phone numbers or sender IDs - * (depending on the country) that are shared with other users. In some - * countries, such as the United States, senders aren't allowed to use shared routes and - * must use a dedicated phone number or short code.

+ *

Allows you to enable shared routes on your pool.

By default, this is set to False. If you set this value to True, your messages are sent using phone numbers or sender IDs (depending on the country) that are shared with other users. In some countries, such as the United States, senders aren't allowed to use shared routes and must use a dedicated phone number or short code.

* @public */ SharedRoutesEnabled: boolean | undefined; @@ -3790,8 +3422,7 @@ export interface DescribePoolsResult { Pools?: PoolInformation[] | undefined; /** - *

The token to be used for the next set of paginated results. If this field is empty - * then there are no more results.

+ *

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

* @public */ NextToken?: string | undefined; @@ -3847,8 +3478,7 @@ export interface DescribeProtectConfigurationsRequest { Filters?: ProtectConfigurationFilter[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -3890,8 +3520,7 @@ export interface ProtectConfigurationInformation { AccountDefault: boolean | undefined; /** - *

The status of deletion protection for the protect configuration. When set to true deletion protection is enabled. By default this is set to false. - *

+ *

The status of deletion protection for the protect configuration. When set to true deletion protection is enabled. By default this is set to false.

* @public */ DeletionProtectionEnabled: boolean | undefined; @@ -3908,8 +3537,7 @@ export interface DescribeProtectConfigurationsResult { ProtectConfigurations?: ProtectConfigurationInformation[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -3964,8 +3592,7 @@ export interface DescribeRegistrationAttachmentsRequest { Filters?: RegistrationAttachmentFilter[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -3995,25 +3622,7 @@ export interface RegistrationAttachmentsInformation { RegistrationAttachmentId: string | undefined; /** - *

The status of the registration attachment.

- *
    - *
  • - *

    - * UPLOAD_IN_PROGRESS The attachment is being uploaded.

    - *
  • - *
  • - *

    - * UPLOAD_COMPLETE The attachment has been uploaded.

    - *
  • - *
  • - *

    - * UPLOAD_FAILED The attachment failed to uploaded.

    - *
  • - *
  • - *

    - * DELETED The attachment has been deleted..

    - *
  • - *
+ *

The status of the registration attachment.

  • UPLOAD_IN_PROGRESS The attachment is being uploaded.

  • UPLOAD_COMPLETE The attachment has been uploaded.

  • UPLOAD_FAILED The attachment failed to uploaded.

  • DELETED The attachment has been deleted..

* @public */ AttachmentStatus: AttachmentStatus | undefined; @@ -4042,8 +3651,7 @@ export interface DescribeRegistrationAttachmentsResult { RegistrationAttachments: RegistrationAttachmentsInformation[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -4054,8 +3662,7 @@ export interface DescribeRegistrationAttachmentsResult { */ export interface DescribeRegistrationFieldDefinitionsRequest { /** - *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions - * action.

+ *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

* @public */ RegistrationType: string | undefined; @@ -4073,8 +3680,7 @@ export interface DescribeRegistrationFieldDefinitionsRequest { FieldPaths?: string[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -4295,8 +3901,7 @@ export interface RegistrationFieldDefinition { */ export interface DescribeRegistrationFieldDefinitionsResult { /** - *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions - * action.

+ *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

* @public */ RegistrationType: string | undefined; @@ -4308,8 +3913,7 @@ export interface DescribeRegistrationFieldDefinitionsResult { RegistrationFieldDefinitions: RegistrationFieldDefinition[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -4344,8 +3948,7 @@ export interface DescribeRegistrationFieldValuesRequest { FieldPaths?: string[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -4422,8 +4025,7 @@ export interface DescribeRegistrationFieldValuesResult { RegistrationFieldValues: RegistrationFieldValueInformation[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -4478,8 +4080,7 @@ export interface DescribeRegistrationsRequest { Filters?: RegistrationFilter[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -4509,52 +4110,13 @@ export interface RegistrationInformation { RegistrationId: string | undefined; /** - *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions - * action.

+ *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

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

The status of the registration.

- *
    - *
  • - *

    - * CLOSED: The phone number or sender ID has been deleted and you must also delete the registration for the number.

    - *
  • - *
  • - *

    - * CREATED: Your registration is created but not submitted.

    - *
  • - *
  • - *

    - * COMPLETE: Your registration has been approved and your origination identity has been created.

    - *
  • - *
  • - *

    - * DELETED: The registration has been deleted.

    - *
  • - *
  • - *

    - * PROVISIONING: Your registration has been approved and your origination identity is being created.

    - *
  • - *
  • - *

    - * REQUIRES_AUTHENTICATION: You need to complete email authentication.

    - *
  • - *
  • - *

    - * REQUIRES_UPDATES: You must fix your registration and resubmit it.

    - *
  • - *
  • - *

    - * REVIEWING: Your registration has been accepted and is being reviewed.

    - *
  • - *
  • - *

    - * SUBMITTED: Your registration has been submitted and is awaiting review.

    - *
  • - *
+ *

The status of the registration.

  • CLOSED: The phone number or sender ID has been deleted and you must also delete the registration for the number.

  • CREATED: Your registration is created but not submitted.

  • COMPLETE: Your registration has been approved and your origination identity has been created.

  • DELETED: The registration has been deleted.

  • PROVISIONING: Your registration has been approved and your origination identity is being created.

  • REQUIRES_AUTHENTICATION: You need to complete email authentication.

  • REQUIRES_UPDATES: You must fix your registration and resubmit it.

  • REVIEWING: Your registration has been accepted and is being reviewed.

  • SUBMITTED: Your registration has been submitted and is awaiting review.

* @public */ RegistrationStatus: RegistrationStatus | undefined; @@ -4601,8 +4163,7 @@ export interface DescribeRegistrationsResult { Registrations: RegistrationInformation[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -4613,8 +4174,7 @@ export interface DescribeRegistrationsResult { */ export interface DescribeRegistrationSectionDefinitionsRequest { /** - *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions - * action.

+ *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

* @public */ RegistrationType: string | undefined; @@ -4626,8 +4186,7 @@ export interface DescribeRegistrationSectionDefinitionsRequest { SectionPaths?: string[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -4698,21 +4257,19 @@ export interface RegistrationSectionDefinition { */ export interface DescribeRegistrationSectionDefinitionsResult { /** - *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions - * action.

+ *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

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

An array of RegistrationSectionDefinition objects.

+ *

An array of RegistrationSectionDefinition objects.

* @public */ RegistrationSectionDefinitions: RegistrationSectionDefinition[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -4755,8 +4312,7 @@ export interface RegistrationTypeFilter { */ export interface DescribeRegistrationTypeDefinitionsRequest { /** - *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions - * action.

+ *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

* @public */ RegistrationTypes?: string[] | undefined; @@ -4768,8 +4324,7 @@ export interface DescribeRegistrationTypeDefinitionsRequest { Filters?: RegistrationTypeFilter[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -4867,41 +4422,13 @@ export interface SupportedAssociation { IsoCountryCode?: string | undefined; /** - *

The association behavior.

- *
    - *
  • - *

    - * ASSOCIATE_BEFORE_SUBMIT The origination identity has to be supplied when creating a registration.

    - *
  • - *
  • - *

    - * ASSOCIATE_ON_APPROVAL This applies to all short code registrations. The short code will be automatically provisioned once the registration is approved.

    - *
  • - *
  • - *

    - * ASSOCIATE_AFTER_COMPLETE This applies to phone number registrations when you must complete a registration first, then associate one or more phone numbers later. For example 10DLC campaigns and long codes.

    - *
  • - *
+ *

The association behavior.

  • ASSOCIATE_BEFORE_SUBMIT The origination identity has to be supplied when creating a registration.

  • ASSOCIATE_ON_APPROVAL This applies to all sender ID registrations. The sender ID will be automatically provisioned once the registration is approved.

  • ASSOCIATE_AFTER_COMPLETE This applies to phone number registrations when you must complete a registration first, then associate one or more phone numbers later. For example 10DLC campaigns and long codes.

* @public */ AssociationBehavior: RegistrationAssociationBehavior | undefined; /** - *

The disassociation behavior.

- *
    - *
  • - *

    - * DISASSOCIATE_ALL_CLOSES_REGISTRATION All origination identities must be disassociated from the registration before the registration can be closed.

    - *
  • - *
  • - *

    - * DISASSOCIATE_ALL_ALLOWS_DELETE_REGISTRATION All origination identities must be disassociated from the registration before the registration can be deleted.

    - *
  • - *
  • - *

    - * DELETE_REGISTRATION_DISASSOCIATES The registration can be deleted and all origination identities will be disasscoiated.

    - *
  • - *
+ *

The disassociation behavior.

  • DISASSOCIATE_ALL_CLOSES_REGISTRATION All origination identities must be disassociated from the registration before the registration can be closed.

  • DISASSOCIATE_ALL_ALLOWS_DELETE_REGISTRATION All origination identities must be disassociated from the registration before the registration can be deleted.

  • DELETE_REGISTRATION_DISASSOCIATES The registration can be deleted and all origination identities will be disasscoiated.

* @public */ DisassociationBehavior: RegistrationDisassociationBehavior | undefined; @@ -4913,8 +4440,7 @@ export interface SupportedAssociation { */ export interface RegistrationTypeDefinition { /** - *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions - * action.

+ *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

* @public */ RegistrationType: string | undefined; @@ -4937,15 +4463,13 @@ export interface RegistrationTypeDefinition { */ export interface DescribeRegistrationTypeDefinitionsResult { /** - *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions - * action.

+ *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

* @public */ RegistrationTypeDefinitions: RegistrationTypeDefinition[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -5006,8 +4530,7 @@ export interface DescribeRegistrationVersionsRequest { Filters?: RegistrationVersionFilter[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -5067,45 +4590,7 @@ export interface RegistrationVersionInformation { VersionNumber: number | undefined; /** - *

The status of the registration.

- *
    - *
  • - *

    - * APPROVED: Your registration has been approved.

    - *
  • - *
  • - *

    - * ARCHIVED: Your previously approved registration version moves into this status when a more recently submitted version is approved.

    - *
  • - *
  • - *

    - * DENIED: You must fix your registration and resubmit it.

    - *
  • - *
  • - *

    - * DISCARDED: You've abandon this version of their registration to start over with a new version.

    - *
  • - *
  • - *

    - * DRAFT: The initial status of a registration version after it’s created.

    - *
  • - *
  • - *

    - * REQUIRES_AUTHENTICATION: You need to complete email authentication.

    - *
  • - *
  • - *

    - * REVIEWING: Your registration has been accepted and is being reviewed.

    - *
  • - *
  • - *

    - * REVOKED: Your previously approved registration has been revoked.

    - *
  • - *
  • - *

    - * SUBMITTED: Your registration has been submitted.

    - *
  • - *
+ *

The status of the registration.

  • APPROVED: Your registration has been approved.

  • ARCHIVED: Your previously approved registration version moves into this status when a more recently submitted version is approved.

  • DENIED: You must fix your registration and resubmit it.

  • DISCARDED: You've abandon this version of their registration to start over with a new version.

  • DRAFT: The initial status of a registration version after it’s created.

  • REQUIRES_AUTHENTICATION: You need to complete email authentication.

  • REVIEWING: Your registration has been accepted and is being reviewed.

  • REVOKED: Your previously approved registration has been revoked.

  • SUBMITTED: Your registration has been submitted.

* @public */ RegistrationVersionStatus: RegistrationVersionStatus | undefined; @@ -5146,8 +4631,7 @@ export interface DescribeRegistrationVersionsResult { RegistrationVersions: RegistrationVersionInformation[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -5189,9 +4673,7 @@ export interface SenderIdFilter { } /** - *

The alphanumeric sender ID in a specific country that you want to describe. For more - * information on sender IDs see Requesting - * sender IDs in the AWS End User Messaging SMS User Guide.

+ *

The alphanumeric sender ID in a specific country that you want to describe. For more information on sender IDs see Requesting sender IDs in the AWS End User Messaging SMS User Guide.

* @public */ export interface SenderIdAndCountry { @@ -5202,8 +4684,7 @@ export interface SenderIdAndCountry { SenderId: string | undefined; /** - *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region. - *

+ *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

* @public */ IsoCountryCode: string | undefined; @@ -5214,10 +4695,7 @@ export interface SenderIdAndCountry { */ export interface DescribeSenderIdsRequest { /** - *

An array of SenderIdAndCountry objects to search for.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

An array of SenderIdAndCountry objects to search for.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ SenderIds?: SenderIdAndCountry[] | undefined; @@ -5229,8 +4707,7 @@ export interface DescribeSenderIdsRequest { Filters?: SenderIdFilter[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -5266,16 +4743,13 @@ export interface SenderIdInformation { SenderId: string | undefined; /** - *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region. - *

+ *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

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

The type of message. Valid values are TRANSACTIONAL for messages that are critical or - * time-sensitive and PROMOTIONAL for messages that aren't critical or - * time-sensitive.

+ *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

* @public */ MessageTypes: MessageType[] | undefined; @@ -5310,15 +4784,13 @@ export interface SenderIdInformation { */ export interface DescribeSenderIdsResult { /** - *

An array of SernderIdInformation objects that contain the details for the requested - * SenderIds.

+ *

An array of SernderIdInformation objects that contain the details for the requested SenderIds.

* @public */ SenderIds?: SenderIdInformation[] | undefined; /** - *

The token to be used for the next set of paginated results. If this field is empty - * then there are no more results.

+ *

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

* @public */ NextToken?: string | undefined; @@ -5329,8 +4801,7 @@ export interface DescribeSenderIdsResult { */ export interface DescribeSpendLimitsRequest { /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -5358,10 +4829,7 @@ export const SpendLimitName = { export type SpendLimitName = (typeof SpendLimitName)[keyof typeof SpendLimitName]; /** - *

Describes the current monthly spend limits for sending voice and - * text messages. For more information on increasing your monthly spend limit, see - * Requesting a spending quota increase - * in the AWS End User Messaging SMS User Guide.

+ *

Describes the current monthly spend limits for sending voice and text messages. For more information on increasing your monthly spend limit, see Requesting a spending quota increase in the AWS End User Messaging SMS User Guide.

* @public */ export interface SpendLimit { @@ -5372,25 +4840,19 @@ export interface SpendLimit { Name: SpendLimitName | undefined; /** - *

The maximum amount of money, in US dollars, that you want to be able to spend sending - * messages each month. This value has to be less than or equal to the amount in - * MaxLimit. To use this custom limit, Overridden must be set - * to true.

+ *

The maximum amount of money, in US dollars, that you want to be able to spend sending messages each month. This value has to be less than or equal to the amount in MaxLimit. To use this custom limit, Overridden must be set to true.

* @public */ EnforcedLimit: number | undefined; /** - *

The maximum amount of money that you are able to spend to send messages each month, - * in US dollars.

+ *

The maximum amount of money that you are able to spend to send messages each month, in US dollars.

* @public */ MaxLimit: number | undefined; /** - *

When set to True, the value that has been specified in the - * EnforcedLimit is used to determine the maximum amount in US dollars - * that can be spent to send messages each month, in US dollars.

+ *

When set to True, the value that has been specified in the EnforcedLimit is used to determine the maximum amount in US dollars that can be spent to send messages each month, in US dollars.

* @public */ Overridden: boolean | undefined; @@ -5401,15 +4863,13 @@ export interface SpendLimit { */ export interface DescribeSpendLimitsResult { /** - *

An array of SpendLimit objects that contain the details for the requested spend - * limits.

+ *

An array of SpendLimit objects that contain the details for the requested spend limits.

* @public */ SpendLimits?: SpendLimit[] | undefined; /** - *

The token to be used for the next set of paginated results. If this field is empty - * then there are no more results.

+ *

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

* @public */ NextToken?: string | undefined; @@ -5470,8 +4930,7 @@ export interface DescribeVerifiedDestinationNumbersRequest { Filters?: VerifiedDestinationNumberFilter[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -5507,17 +4966,7 @@ export interface VerifiedDestinationNumberInformation { DestinationPhoneNumber: string | undefined; /** - *

The status of the verified destination phone number.

- *
    - *
  • - *

    - * PENDING: The phone number hasn't been verified yet.

    - *
  • - *
  • - *

    - * VERIFIED: The phone number is verified and can receive messages.

    - *
  • - *
+ *

The status of the verified destination phone number.

  • PENDING: The phone number hasn't been verified yet.

  • VERIFIED: The phone number is verified and can receive messages.

* @public */ Status: VerificationStatus | undefined; @@ -5540,8 +4989,7 @@ export interface DescribeVerifiedDestinationNumbersResult { VerifiedDestinationNumbers: VerifiedDestinationNumberInformation[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -5567,38 +5015,25 @@ export type DestinationCountryParameterKey = */ export interface DisassociateOriginationIdentityRequest { /** - *

The unique identifier for the pool to disassociate with the origination identity. This - * value can be either the PoolId or PoolArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The unique identifier for the pool to disassociate with the origination identity. This value can be either the PoolId or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, SenderId or - * SenderIdArn. You can use DescribePhoneNumbers find the values for - * PhoneNumberId and PhoneNumberArn, or use DescribeSenderIds to get the - * values for SenderId and SenderIdArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, SenderId or SenderIdArn. You can use DescribePhoneNumbers find the values for PhoneNumberId and PhoneNumberArn, or use DescribeSenderIds to get the values for SenderId and SenderIdArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region. - *

+ *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

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

Unique, case-sensitive identifier you provide to ensure the idempotency of the - * request. If you don't specify a client token, a randomly generated token is used for the - * request to ensure idempotency.

+ *

Unique, case-sensitive identifier you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

* @public */ ClientToken?: string | undefined; @@ -5633,8 +5068,7 @@ export interface DisassociateOriginationIdentityResult { OriginationIdentity?: string | undefined; /** - *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or - * region.

+ *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

* @public */ IsoCountryCode?: string | undefined; @@ -5720,45 +5154,7 @@ export interface DiscardRegistrationVersionResult { VersionNumber: number | undefined; /** - *

The status of the registration version.

- *
    - *
  • - *

    - * APPROVED: Your registration has been approved.

    - *
  • - *
  • - *

    - * ARCHIVED: Your previously approved registration version moves into this status when a more recently submitted version is approved.

    - *
  • - *
  • - *

    - * DENIED: You must fix your registration and resubmit it.

    - *
  • - *
  • - *

    - * DISCARDED: You've abandon this version of their registration to start over with a new version.

    - *
  • - *
  • - *

    - * DRAFT: The initial status of a registration version after it’s created.

    - *
  • - *
  • - *

    - * REQUIRES_AUTHENTICATION: You need to complete email authentication.

    - *
  • - *
  • - *

    - * REVIEWING: Your registration has been accepted and is being reviewed.

    - *
  • - *
  • - *

    - * REVOKED: Your previously approved registration has been revoked.

    - *
  • - *
  • - *

    - * SUBMITTED: Your registration has been submitted.

    - *
  • - *
+ *

The status of the registration version.

  • APPROVED: Your registration has been approved.

  • ARCHIVED: Your previously approved registration version moves into this status when a more recently submitted version is approved.

  • DENIED: You must fix your registration and resubmit it.

  • DISCARDED: You've abandon this version of their registration to start over with a new version.

  • DRAFT: The initial status of a registration version after it’s created.

  • REQUIRES_AUTHENTICATION: You need to complete email authentication.

  • REVIEWING: Your registration has been accepted and is being reviewed.

  • REVOKED: Your previously approved registration has been revoked.

  • SUBMITTED: Your registration has been submitted.

* @public */ RegistrationVersionStatus: RegistrationVersionStatus | undefined; @@ -5794,6 +5190,8 @@ export interface GetProtectConfigurationCountryRuleSetRequest { export const ProtectStatus = { ALLOW: "ALLOW", BLOCK: "BLOCK", + FILTER: "FILTER", + MONITOR: "MONITOR", } as const; /** @@ -5836,8 +5234,7 @@ export interface GetProtectConfigurationCountryRuleSetResult { NumberCapability: NumberCapability | undefined; /** - *

A map of ProtectConfigurationCountryRuleSetInformation objects that contain the - * details for the requested NumberCapability. The Key is the two-letter ISO country code. For a list of supported ISO country codes, see Supported countries and regions (SMS channel) in the AWS End User Messaging SMS User Guide.

+ *

A map of ProtectConfigurationCountryRuleSetInformation objects that contain the details for the requested NumberCapability. The Key is the two-letter ISO country code. For a list of supported ISO country codes, see Supported countries and regions (SMS channel) in the AWS End User Messaging SMS User Guide.

* @public */ CountryRuleSet: Record | undefined; @@ -5918,8 +5315,7 @@ export type PoolOriginationIdentitiesFilterName = (typeof PoolOriginationIdentitiesFilterName)[keyof typeof PoolOriginationIdentitiesFilterName]; /** - *

Information about origination identities associated with a pool that meets a specified - * criteria.

+ *

Information about origination identities associated with a pool that meets a specified criteria.

* @public */ export interface PoolOriginationIdentitiesFilter { @@ -5941,11 +5337,7 @@ export interface PoolOriginationIdentitiesFilter { */ export interface ListPoolOriginationIdentitiesRequest { /** - *

The unique identifier for the pool. This value can be either the PoolId or - * PoolArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The unique identifier for the pool. This value can be either the PoolId or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ PoolId: string | undefined; @@ -5957,8 +5349,7 @@ export interface ListPoolOriginationIdentitiesRequest { Filters?: PoolOriginationIdentitiesFilter[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -5988,15 +5379,13 @@ export interface OriginationIdentityMetadata { OriginationIdentity: string | undefined; /** - *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region. - *

+ *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

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

Describes if the origination identity can be used for text messages, voice calls or - * both.

+ *

Describes if the origination identity can be used for text messages, voice calls or both.

* @public */ NumberCapabilities: NumberCapability[] | undefined; @@ -6031,8 +5420,7 @@ export interface ListPoolOriginationIdentitiesResult { OriginationIdentities?: OriginationIdentityMetadata[] | undefined; /** - *

The token to be used for the next set of paginated results. If this field is empty - * then there are no more results.

+ *

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

* @public */ NextToken?: string | undefined; @@ -6093,8 +5481,7 @@ export interface ListProtectConfigurationRuleSetNumberOverridesRequest { Filters?: ProtectConfigurationRuleSetNumberOverrideFilterItem[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -6107,7 +5494,7 @@ export interface ListProtectConfigurationRuleSetNumberOverridesRequest { } /** - *

Provides details on a RuleSetNumberOverride.

+ *

Provides details on phone number rule overrides for a protect configuration.

* @public */ export interface ProtectConfigurationRuleSetNumberOverride { @@ -6165,8 +5552,7 @@ export interface ListProtectConfigurationRuleSetNumberOverridesResult { RuleSetNumberOverrides?: ProtectConfigurationRuleSetNumberOverride[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -6222,8 +5608,7 @@ export interface ListRegistrationAssociationsRequest { Filters?: RegistrationAssociationFilter[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -6288,8 +5673,7 @@ export interface ListRegistrationAssociationsResult { RegistrationId: string | undefined; /** - *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions - * action.

+ *

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

* @public */ RegistrationType: string | undefined; @@ -6301,8 +5685,7 @@ export interface ListRegistrationAssociationsResult { RegistrationAssociations: RegistrationAssociationMetadata[] | undefined; /** - *

The token to be used for the next set of paginated results. You don't need to supply a - * value for this field in the initial request.

+ *

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

* @public */ NextToken?: string | undefined; @@ -6355,13 +5738,7 @@ export type MessageFeedbackStatus = (typeof MessageFeedbackStatus)[keyof typeof */ export interface PutKeywordRequest { /** - *

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, SenderId or - * SenderIdArn. You can use DescribePhoneNumbers get the values for - * PhoneNumberId and PhoneNumberArn while DescribeSenderIds can be used - * to get the values for SenderId and SenderIdArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, SenderId or SenderIdArn. You can use DescribePhoneNumbers get the values for PhoneNumberId and PhoneNumberArn while DescribeSenderIds can be used to get the values for SenderId and SenderIdArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ OriginationIdentity: string | undefined; @@ -6379,18 +5756,7 @@ export interface PutKeywordRequest { KeywordMessage: string | undefined; /** - *

The action to perform for the new keyword when it is received.

- *
    - *
  • - *

    AUTOMATIC_RESPONSE: A message is sent to the recipient.

    - *
  • - *
  • - *

    OPT_OUT: Keeps the recipient from receiving future messages.

    - *
  • - *
  • - *

    OPT_IN: The recipient wants to receive future messages.

    - *
  • - *
+ *

The action to perform for the new keyword when it is received.

  • AUTOMATIC_RESPONSE: A message is sent to the recipient.

  • OPT_OUT: Keeps the recipient from receiving future messages.

  • OPT_IN: The recipient wants to receive future messages.

* @public */ KeywordAction?: KeywordAction | undefined; @@ -6470,10 +5836,7 @@ export interface PutMessageFeedbackResult { */ export interface PutOptedOutNumberRequest { /** - *

The OptOutListName or OptOutListArn to add the phone number to.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The OptOutListName or OptOutListArn to add the phone number to.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ OptOutListName: string | undefined; @@ -6514,8 +5877,7 @@ export interface PutOptedOutNumberResult { OptedOutTimestamp?: Date | undefined; /** - *

This is true if it was the end user who requested their phone number be removed. - *

+ *

This is true if it was the end user who requested their phone number be removed.

* @public */ EndUserOptedOut?: boolean | undefined; @@ -6526,9 +5888,7 @@ export interface PutOptedOutNumberResult { */ export interface PutProtectConfigurationRuleSetNumberOverrideRequest { /** - *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the - * request. If you don't specify a client token, a randomly generated token is used for the - * request to ensure idempotency.

+ *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

* @public */ ClientToken?: string | undefined; @@ -6732,11 +6092,7 @@ export interface PutResourcePolicyResult { */ export interface ReleasePhoneNumberRequest { /** - *

The PhoneNumberId or PhoneNumberArn of the phone number to release. You can use DescribePhoneNumbers to get the values for PhoneNumberId and - * PhoneNumberArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The PhoneNumberId or PhoneNumberArn of the phone number to release. You can use DescribePhoneNumbers to get the values for PhoneNumberId and PhoneNumberArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ PhoneNumberId: string | undefined; @@ -6771,8 +6127,7 @@ export interface ReleasePhoneNumberResult { Status?: NumberStatus | undefined; /** - *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or - * region.

+ *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

* @public */ IsoCountryCode?: string | undefined; @@ -6802,8 +6157,7 @@ export interface ReleasePhoneNumberResult { MonthlyLeasingPrice?: string | undefined; /** - *

By default this is set to false. When set to true you can receive incoming text - * messages from your end recipients.

+ *

By default this is set to false. When set to true you can receive incoming text messages from your end recipients.

* @public */ TwoWayEnabled?: boolean | undefined; @@ -6821,11 +6175,7 @@ export interface ReleasePhoneNumberResult { TwoWayChannelRole?: string | undefined; /** - *

By default this is set to false. When an end recipient sends a message that begins - * with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically - * replies with a customizable message and adds the end recipient to the OptOutList. When - * set to true you're responsible for responding to HELP and STOP requests. You're also - * responsible for tracking and honoring opt-out requests.

+ *

By default this is set to false. When an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out requests.

* @public */ SelfManagedOptOutsEnabled?: boolean | undefined; @@ -6889,9 +6239,7 @@ export interface ReleaseSenderIdResult { IsoCountryCode: string | undefined; /** - *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or - * time-sensitive and PROMOTIONAL for messages that aren't critical or - * time-sensitive.

+ *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

* @public */ MessageTypes: MessageType[] | undefined; @@ -6936,16 +6284,13 @@ export type RequestableNumberType = (typeof RequestableNumberType)[keyof typeof */ export interface RequestPhoneNumberRequest { /** - *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region. - *

+ *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

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

The type of message. Valid values are TRANSACTIONAL for messages that are critical or - * time-sensitive and PROMOTIONAL for messages that aren't critical or - * time-sensitive.

+ *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

* @public */ MessageType: MessageType | undefined; @@ -6957,55 +6302,43 @@ export interface RequestPhoneNumberRequest { NumberCapabilities: NumberCapability[] | undefined; /** - *

The type of phone number to request.

+ *

The type of phone number to request.

When you request a SIMULATOR phone number, you must set MessageType as TRANSACTIONAL.

* @public */ NumberType: RequestableNumberType | undefined; /** - *

The name of the OptOutList to associate with the phone number. You can use the - * OptOutListName or OptOutListArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The name of the OptOutList to associate with the phone number. You can use the OptOutListName or OptOutListArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ OptOutListName?: string | undefined; /** - *

The pool to associated with the phone number. You can use the PoolId or PoolArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The pool to associated with the phone number. You can use the PoolId or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ PoolId?: string | undefined; /** - *

Use this field to attach your phone number for an external registration - * process.

+ *

Use this field to attach your phone number for an external registration process.

* @public */ RegistrationId?: string | undefined; /** - *

By default this is set to false. When set to true the phone number can't be - * deleted.

+ *

By default this is set to false. When set to true the phone number can't be deleted.

* @public */ DeletionProtectionEnabled?: boolean | undefined; /** - *

An array of tags (key and value pairs) associate with the requested phone number. - *

+ *

An array of tags (key and value pairs) associate with the requested phone number.

* @public */ Tags?: Tag[] | undefined; /** - *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the - * request. If you don't specify a client token, a randomly generated token is used for the - * request to ensure idempotency.

+ *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

* @public */ ClientToken?: string | undefined; @@ -7040,23 +6373,19 @@ export interface RequestPhoneNumberResult { Status?: NumberStatus | undefined; /** - *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region. - *

+ *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

* @public */ IsoCountryCode?: string | undefined; /** - *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or - * time-sensitive and PROMOTIONAL for messages that aren't critical or - * time-sensitive.

+ *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

* @public */ MessageType?: MessageType | undefined; /** - *

Indicates if the phone number will be used for text messages, voice messages or both. - *

+ *

Indicates if the phone number will be used for text messages, voice messages or both.

* @public */ NumberCapabilities?: NumberCapability[] | undefined; @@ -7074,8 +6403,7 @@ export interface RequestPhoneNumberResult { MonthlyLeasingPrice?: string | undefined; /** - *

By default this is set to false. When set to true you can receive incoming text - * messages from your end recipients.

+ *

By default this is set to false. When set to true you can receive incoming text messages from your end recipients.

* @public */ TwoWayEnabled?: boolean | undefined; @@ -7093,11 +6421,7 @@ export interface RequestPhoneNumberResult { TwoWayChannelRole?: string | undefined; /** - *

By default this is set to false. When an end recipient sends a message that begins - * with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically - * replies with a customizable message and adds the end recipient to the OptOutList. When - * set to true you're responsible for responding to HELP and STOP requests. You're also - * responsible for tracking and honoring opt-out requests.

+ *

By default this is set to false. When an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out requests.

* @public */ SelfManagedOptOutsEnabled?: boolean | undefined; @@ -7109,8 +6433,7 @@ export interface RequestPhoneNumberResult { OptOutListName?: string | undefined; /** - *

By default this is set to false. When set to true the phone number can't be deleted. - *

+ *

By default this is set to false. When set to true the phone number can't be deleted.

* @public */ DeletionProtectionEnabled?: boolean | undefined; @@ -7157,9 +6480,7 @@ export interface RequestSenderIdRequest { IsoCountryCode: string | undefined; /** - *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or - * time-sensitive and PROMOTIONAL for messages that aren't critical or - * time-sensitive.

+ *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

* @public */ MessageTypes?: MessageType[] | undefined; @@ -7177,9 +6498,7 @@ export interface RequestSenderIdRequest { Tags?: Tag[] | undefined; /** - *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the - * request. If you don't specify a client token, a randomly generated token is used for the - * request to ensure idempotency.

+ *

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

* @public */ ClientToken?: string | undefined; @@ -7208,9 +6527,7 @@ export interface RequestSenderIdResult { IsoCountryCode: string | undefined; /** - *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or - * time-sensitive and PROMOTIONAL for messages that aren't critical or - * time-sensitive.

+ *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

* @public */ MessageTypes: MessageType[] | undefined; @@ -7277,34 +6594,25 @@ export interface SendDestinationNumberVerificationCodeRequest { LanguageCode?: LanguageCode | undefined; /** - *

The origination identity of the message. This can be either the PhoneNumber, - * PhoneNumberId, PhoneNumberArn, SenderId, SenderIdArn, PoolId, or PoolArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The origination identity of the message. This can be either the PhoneNumber, PhoneNumberId, PhoneNumberArn, SenderId, SenderIdArn, PoolId, or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ OriginationIdentity?: string | undefined; /** - *

The name of the configuration set to use. This can be either the ConfigurationSetName - * or ConfigurationSetArn.

+ *

The name of the configuration set to use. This can be either the ConfigurationSetName or ConfigurationSetArn.

* @public */ ConfigurationSetName?: string | undefined; /** - *

You can specify custom data in this field. If you do, that data is logged to the event - * destination.

+ *

You can specify custom data in this field. If you do, that data is logged to the event destination.

* @public */ Context?: Record | undefined; /** - *

This field is used for any country-specific registration requirements. Currently, this - * setting is only used when you send messages to recipients in India using a sender ID. - * For more information see Special requirements for sending SMS messages to recipients in India. - *

+ *

This field is used for any country-specific registration requirements. Currently, this setting is only used when you send messages to recipients in India using a sender ID. For more information see Special requirements for sending SMS messages to recipients in India.

* @public */ DestinationCountryParameters?: Partial> | undefined; @@ -7332,11 +6640,7 @@ export interface SendMediaMessageRequest { DestinationPhoneNumber: string | undefined; /** - *

The origination identity of the message. This can be either the PhoneNumber, - * PhoneNumberId, PhoneNumberArn, SenderId, SenderIdArn, PoolId, or PoolArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The origination identity of the message. This can be either the PhoneNumber, PhoneNumberId, PhoneNumberArn, SenderId, SenderIdArn, PoolId, or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ OriginationIdentity: string | undefined; @@ -7348,17 +6652,13 @@ export interface SendMediaMessageRequest { MessageBody?: string | undefined; /** - *

An array of URLs to each media file to send.

- *

The media files have to be stored in a publicly available S3 bucket. Supported media file formats - * are listed in MMS file types, size and character limits. For more information on creating an S3 bucket and managing - * objects, see Creating a bucket and Uploading objects in the S3 user guide.

+ *

An array of URLs to each media file to send.

The media files have to be stored in an S3 bucket. Supported media file formats are listed in MMS file types, size and character limits. For more information on creating an S3 bucket and managing objects, see Creating a bucket, Uploading objects in the Amazon S3 User Guide, and Setting up an Amazon S3 bucket for MMS files in the Amazon Web Services End User Messaging SMS User Guide.

* @public */ MediaUrls?: string[] | undefined; /** - *

The name of the configuration set to use. This can be either the ConfigurationSetName - * or ConfigurationSetArn.

+ *

The name of the configuration set to use. This can be either the ConfigurationSetName or ConfigurationSetArn.

* @public */ ConfigurationSetName?: string | undefined; @@ -7376,15 +6676,13 @@ export interface SendMediaMessageRequest { TimeToLive?: number | undefined; /** - *

You can specify custom data in this field. If you do, that data is logged to the event - * destination.

+ *

You can specify custom data in this field. If you do, that data is logged to the event destination.

* @public */ Context?: Record | undefined; /** - *

When set to true, the message is checked and validated, but isn't sent to the end - * recipient.

+ *

When set to true, the message is checked and validated, but isn't sent to the end recipient.

* @public */ DryRun?: boolean | undefined; @@ -7424,11 +6722,7 @@ export interface SendTextMessageRequest { DestinationPhoneNumber: string | undefined; /** - *

The origination identity of the message. This can be either the PhoneNumber, - * PhoneNumberId, PhoneNumberArn, SenderId, SenderIdArn, PoolId, or PoolArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The origination identity of the message. This can be either the PhoneNumber, PhoneNumberId, PhoneNumberArn, SenderId, SenderIdArn, PoolId, or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ OriginationIdentity?: string | undefined; @@ -7440,23 +6734,19 @@ export interface SendTextMessageRequest { MessageBody?: string | undefined; /** - *

The type of message. Valid values are - * for messages that are critical or time-sensitive and PROMOTIONAL for messages that - * aren't critical or time-sensitive.

+ *

The type of message. Valid values are for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

* @public */ MessageType?: MessageType | undefined; /** - *

When you register a short code in the US, you must specify a program name. If you - * don’t have a US short code, omit this attribute.

+ *

When you register a short code in the US, you must specify a program name. If you don’t have a US short code, omit this attribute.

* @public */ Keyword?: string | undefined; /** - *

The name of the configuration set to use. This can be either the ConfigurationSetName - * or ConfigurationSetArn.

+ *

The name of the configuration set to use. This can be either the ConfigurationSetName or ConfigurationSetArn.

* @public */ ConfigurationSetName?: string | undefined; @@ -7474,49 +6764,19 @@ export interface SendTextMessageRequest { TimeToLive?: number | undefined; /** - *

You can specify custom data in this field. If you do, that data is logged to the event - * destination.

+ *

You can specify custom data in this field. If you do, that data is logged to the event destination.

* @public */ Context?: Record | undefined; /** - *

This field is used for any country-specific registration requirements. Currently, this - * setting is only used when you send messages to recipients in India using a sender ID. - * For more information see Special requirements for sending SMS messages to recipients in India. - *

- *
    - *
  • - *

    - * IN_ENTITY_ID The entity ID or Principal - * Entity (PE) ID that you received after completing the sender ID - * registration process.

    - *
  • - *
  • - *

    - * IN_TEMPLATE_ID The template ID that you - * received after completing the sender ID registration - * process.

    - * - *

    Make sure that the Template ID that you specify matches - * your message template exactly. If your message doesn't match - * the template that you provided during the registration - * process, the mobile carriers might reject your - * message.

    - *
    - *
  • - *
+ *

This field is used for any country-specific registration requirements. Currently, this setting is only used when you send messages to recipients in India using a sender ID. For more information see Special requirements for sending SMS messages to recipients in India.

  • IN_ENTITY_ID The entity ID or Principal Entity (PE) ID that you received after completing the sender ID registration process.

  • IN_TEMPLATE_ID The template ID that you received after completing the sender ID registration process.

    Make sure that the Template ID that you specify matches your message template exactly. If your message doesn't match the template that you provided during the registration process, the mobile carriers might reject your message.

* @public */ DestinationCountryParameters?: Partial> | undefined; /** - *

When set to true, the message is checked and validated, but isn't sent to the end - * recipient. You are not charged for using DryRun.

- *

The Message Parts per Second (MPS) limit when using DryRun is five. If - * your origination identity has a lower MPS limit then the lower MPS limit is used. For - * more information about MPS limits, see Message Parts per - * Second (MPS) limits in the AWS End User Messaging SMS User Guide..

+ *

When set to true, the message is checked and validated, but isn't sent to the end recipient. You are not charged for using DryRun.

The Message Parts per Second (MPS) limit when using DryRun is five. If your origination identity has a lower MPS limit then the lower MPS limit is used. For more information about MPS limits, see Message Parts per Second (MPS) limits in the AWS End User Messaging SMS User Guide..

* @public */ DryRun?: boolean | undefined; @@ -7641,11 +6901,7 @@ export interface SendVoiceMessageRequest { DestinationPhoneNumber: string | undefined; /** - *

The origination identity to use for the voice call. This can be the PhoneNumber, - * PhoneNumberId, PhoneNumberArn, PoolId, or PoolArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The origination identity to use for the voice call. This can be the PhoneNumber, PhoneNumberId, PhoneNumberArn, PoolId, or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ OriginationIdentity: string | undefined; @@ -7657,32 +6913,19 @@ export interface SendVoiceMessageRequest { MessageBody?: string | undefined; /** - *

Specifies if the MessageBody field contains text or speech synthesis - * markup language (SSML).

- *
    - *
  • - *

    TEXT: This is the default value. When used the maximum character limit is - * 3000.

    - *
  • - *
  • - *

    SSML: When used the maximum character limit is 6000 including SSML - * tagging.

    - *
  • - *
+ *

Specifies if the MessageBody field contains text or speech synthesis markup language (SSML).

  • TEXT: This is the default value. When used the maximum character limit is 3000.

  • SSML: When used the maximum character limit is 6000 including SSML tagging.

* @public */ MessageBodyTextType?: VoiceMessageBodyTextType | undefined; /** - *

The voice for the Amazon Polly - * service to use. By default this is set to "MATTHEW".

+ *

The voice for the Amazon Polly service to use. By default this is set to "MATTHEW".

* @public */ VoiceId?: VoiceId | undefined; /** - *

The name of the configuration set to use. This can be either the ConfigurationSetName - * or ConfigurationSetArn.

+ *

The name of the configuration set to use. This can be either the ConfigurationSetName or ConfigurationSetArn.

* @public */ ConfigurationSetName?: string | undefined; @@ -7700,15 +6943,13 @@ export interface SendVoiceMessageRequest { TimeToLive?: number | undefined; /** - *

You can specify custom data in this field. If you do, that data is logged to the event - * destination.

+ *

You can specify custom data in this field. If you do, that data is logged to the event destination.

* @public */ Context?: Record | undefined; /** - *

When set to true, the message is checked and validated, but isn't sent to the end - * recipient.

+ *

When set to true, the message is checked and validated, but isn't sent to the end recipient.

* @public */ DryRun?: boolean | undefined; @@ -7770,8 +7011,7 @@ export interface SetAccountDefaultProtectConfigurationResult { */ export interface SetDefaultMessageFeedbackEnabledRequest { /** - *

The name of the configuration set to use. This can be either the ConfigurationSetName - * or ConfigurationSetArn.

+ *

The name of the configuration set to use. This can be either the ConfigurationSetName or ConfigurationSetArn.

* @public */ ConfigurationSetName: string | undefined; @@ -7811,16 +7051,13 @@ export interface SetDefaultMessageFeedbackEnabledResult { */ export interface SetDefaultMessageTypeRequest { /** - *

The configuration set to update with a new default message type. This field can be the - * ConsigurationSetName or ConfigurationSetArn.

+ *

The configuration set to update with a new default message type. This field can be the ConsigurationSetName or ConfigurationSetArn.

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

The type of message. Valid values are TRANSACTIONAL for messages that are critical or - * time-sensitive and PROMOTIONAL for messages that aren't critical or - * time-sensitive.

+ *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

* @public */ MessageType: MessageType | undefined; @@ -7854,18 +7091,13 @@ export interface SetDefaultMessageTypeResult { */ export interface SetDefaultSenderIdRequest { /** - *

The configuration set to updated with a new default SenderId. This field can be the - * ConsigurationSetName or ConfigurationSetArn.

+ *

The configuration set to updated with a new default SenderId. This field can be the ConsigurationSetName or ConfigurationSetArn.

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

The current sender ID for the configuration set. When sending a text message to a - * destination country which supports SenderIds, the default sender ID on the configuration - * set specified on SendTextMessage will be used if no dedicated - * origination phone numbers or registered SenderIds are available in your account, instead - * of a generic sender ID, such as 'NOTICE'.

+ *

The current sender ID for the configuration set. When sending a text message to a destination country which supports SenderIds, the default sender ID on the configuration set specified on SendTextMessage will be used if no dedicated origination phone numbers or registered SenderIds are available in your account, instead of a generic sender ID, such as 'NOTICE'.

* @public */ SenderId: string | undefined; @@ -7994,45 +7226,7 @@ export interface SubmitRegistrationVersionResult { VersionNumber: number | undefined; /** - *

The status of the registration version.

- *
    - *
  • - *

    - * APPROVED: Your registration has been approved.

    - *
  • - *
  • - *

    - * ARCHIVED: Your previously approved registration version moves into this status when a more recently submitted version is approved.

    - *
  • - *
  • - *

    - * DENIED: You must fix your registration and resubmit it.

    - *
  • - *
  • - *

    - * DISCARDED: You've abandon this version of their registration to start over with a new version.

    - *
  • - *
  • - *

    - * DRAFT: The initial status of a registration version after it’s created.

    - *
  • - *
  • - *

    - * REQUIRES_AUTHENTICATION: You need to complete email authentication.

    - *
  • - *
  • - *

    - * REVIEWING: Your registration has been accepted and is being reviewed.

    - *
  • - *
  • - *

    - * REVOKED: Your previously approved registration has been revoked.

    - *
  • - *
  • - *

    - * SUBMITTED: Your registration has been submitted.

    - *
  • - *
+ *

The status of the registration version.

  • APPROVED: Your registration has been approved.

  • ARCHIVED: Your previously approved registration version moves into this status when a more recently submitted version is approved.

  • DENIED: You must fix your registration and resubmit it.

  • DISCARDED: You've abandon this version of their registration to start over with a new version.

  • DRAFT: The initial status of a registration version after it’s created.

  • REQUIRES_AUTHENTICATION: You need to complete email authentication.

  • REVIEWING: Your registration has been accepted and is being reviewed.

  • REVOKED: Your previously approved registration has been revoked.

  • SUBMITTED: Your registration has been submitted.

* @public */ RegistrationVersionStatus: RegistrationVersionStatus | undefined; @@ -8093,8 +7287,7 @@ export interface UntagResourceResult {} */ export interface UpdateEventDestinationRequest { /** - *

The configuration set to update with the new event destination. Valid values for this - * can be the ConfigurationSetName or ConfigurationSetArn.

+ *

The configuration set to update with the new event destination. Valid values for this can be the ConfigurationSetName or ConfigurationSetArn.

* @public */ ConfigurationSetName: string | undefined; @@ -8112,17 +7305,13 @@ export interface UpdateEventDestinationRequest { Enabled?: boolean | undefined; /** - *

An array of event types that determine which events to log.

- * - *

The TEXT_SENT event type is not supported.

- *
+ *

An array of event types that determine which events to log.

The TEXT_SENT event type is not supported.

* @public */ MatchingEventTypes?: EventType[] | undefined; /** - *

An object that contains information about an event destination that sends data to - * CloudWatch Logs.

+ *

An object that contains information about an event destination that sends data to CloudWatch Logs.

* @public */ CloudWatchLogsDestination?: CloudWatchLogsDestination | undefined; @@ -8134,8 +7323,7 @@ export interface UpdateEventDestinationRequest { KinesisFirehoseDestination?: KinesisFirehoseDestination | undefined; /** - *

An object that contains information about an event destination that sends data to - * Amazon SNS.

+ *

An object that contains information about an event destination that sends data to Amazon SNS.

* @public */ SnsDestination?: SnsDestination | undefined; @@ -8158,8 +7346,7 @@ export interface UpdateEventDestinationResult { ConfigurationSetName?: string | undefined; /** - *

An EventDestination object containing the details of where events will be logged. - *

+ *

An EventDestination object containing the details of where events will be logged.

* @public */ EventDestination?: EventDestination | undefined; @@ -8170,18 +7357,13 @@ export interface UpdateEventDestinationResult { */ export interface UpdatePhoneNumberRequest { /** - *

The unique identifier of the phone number. Valid values for this field can be either - * the PhoneNumberId or PhoneNumberArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The unique identifier of the phone number. Valid values for this field can be either the PhoneNumberId or PhoneNumberArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

By default this is set to false. When set to true you can receive incoming text - * messages from your end recipients.

+ *

By default this is set to false. When set to true you can receive incoming text messages from your end recipients.

* @public */ TwoWayEnabled?: boolean | undefined; @@ -8199,25 +7381,19 @@ export interface UpdatePhoneNumberRequest { TwoWayChannelRole?: string | undefined; /** - *

By default this is set to false. When an end recipient sends a message that begins - * with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically - * replies with a customizable message and adds the end recipient to the OptOutList. When - * set to true you're responsible for responding to HELP and STOP requests. You're also - * responsible for tracking and honoring opt-out requests.

+ *

By default this is set to false. When an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out requests.

* @public */ SelfManagedOptOutsEnabled?: boolean | undefined; /** - *

The OptOutList to add the phone number to. Valid values for this field can be either - * the OutOutListName or OutOutListArn.

+ *

The OptOutList to add the phone number to. Valid values for this field can be either the OutOutListName or OutOutListArn.

* @public */ OptOutListName?: string | undefined; /** - *

By default this is set to false. When set to true the phone number can't be deleted. - *

+ *

By default this is set to false. When set to true the phone number can't be deleted.

* @public */ DeletionProtectionEnabled?: boolean | undefined; @@ -8252,16 +7428,13 @@ export interface UpdatePhoneNumberResult { Status?: NumberStatus | undefined; /** - *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region. - *

+ *

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

* @public */ IsoCountryCode?: string | undefined; /** - *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or - * time-sensitive and PROMOTIONAL for messages that aren't critical or - * time-sensitive.

+ *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

* @public */ MessageType?: MessageType | undefined; @@ -8285,8 +7458,7 @@ export interface UpdatePhoneNumberResult { MonthlyLeasingPrice?: string | undefined; /** - *

By default this is set to false. When set to true you can receive incoming text - * messages from your end recipients.

+ *

By default this is set to false. When set to true you can receive incoming text messages from your end recipients.

* @public */ TwoWayEnabled?: boolean | undefined; @@ -8339,18 +7511,13 @@ export interface UpdatePhoneNumberResult { */ export interface UpdatePoolRequest { /** - *

The unique identifier of the pool to update. Valid values are either the PoolId or - * PoolArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The unique identifier of the pool to update. Valid values are either the PoolId or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

By default this is set to false. When set to true you can receive incoming text - * messages from your end recipients.

+ *

By default this is set to false. When set to true you can receive incoming text messages from your end recipients.

* @public */ TwoWayEnabled?: boolean | undefined; @@ -8368,21 +7535,13 @@ export interface UpdatePoolRequest { TwoWayChannelRole?: string | undefined; /** - *

By default this is set to false. When an end recipient sends a message that begins - * with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically - * replies with a customizable message and adds the end recipient to the OptOutList. When - * set to true you're responsible for responding to HELP and STOP requests. You're also - * responsible for tracking and honoring opt-out requests.

+ *

By default this is set to false. When an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out requests.

* @public */ SelfManagedOptOutsEnabled?: boolean | undefined; /** - *

The OptOutList to associate with the pool. Valid values are either OptOutListName or - * OptOutListArn.

- * - *

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

- *
+ *

The OptOutList to associate with the pool. Valid values are either OptOutListName or OptOutListArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

* @public */ OptOutListName?: string | undefined; @@ -8429,8 +7588,7 @@ export interface UpdatePoolResult { MessageType?: MessageType | undefined; /** - *

By default this is set to false. When set to true you can receive incoming text - * messages from your end recipients.

+ *

By default this is set to false. When set to true you can receive incoming text messages from your end recipients.

* @public */ TwoWayEnabled?: boolean | undefined; @@ -8448,11 +7606,7 @@ export interface UpdatePoolResult { TwoWayChannelRole?: string | undefined; /** - *

When an end recipient sends a message that begins with HELP or STOP to one of your - * dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message - * and adds the end recipient to the OptOutList. When set to true you're responsible for - * responding to HELP and STOP requests. You're also responsible for tracking and honoring - * opt-out requests.

+ *

When an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out requests.

* @public */ SelfManagedOptOutsEnabled?: boolean | undefined; @@ -8493,8 +7647,7 @@ export interface UpdateProtectConfigurationRequest { ProtectConfigurationId: string | undefined; /** - *

When set to true deletion protection is enabled. By default this is set to false. - *

+ *

When set to true deletion protection is enabled. By default this is set to false.

* @public */ DeletionProtectionEnabled?: boolean | undefined; @@ -8529,8 +7682,7 @@ export interface UpdateProtectConfigurationResult { AccountDefault: boolean | undefined; /** - *

The status of deletion protection for the protect configuration. When set to true deletion protection is enabled. By default this is set to false. - *

+ *

The status of deletion protection for the protect configuration. When set to true deletion protection is enabled. By default this is set to false.

* @public */ DeletionProtectionEnabled: boolean | undefined; @@ -8553,8 +7705,7 @@ export interface UpdateProtectConfigurationCountryRuleSetRequest { NumberCapability: NumberCapability | undefined; /** - *

A map of ProtectConfigurationCountryRuleSetInformation objects that contain the - * details for the requested NumberCapability. The Key is the two-letter ISO country code. For a list of supported ISO country codes, see Supported countries and regions (SMS channel) in the AWS End User Messaging SMS User Guide.

+ *

A map of ProtectConfigurationCountryRuleSetInformation objects that contain the details for the requested NumberCapability. The Key is the two-letter ISO country code. For a list of supported ISO country codes, see Supported countries and regions (SMS channel) in the AWS End User Messaging SMS User Guide.

For example, to set the United States as allowed and Canada as blocked, the CountryRuleSetUpdates would be formatted as: "CountryRuleSetUpdates": \{ "US" : \{ "ProtectStatus": "ALLOW" \} "CA" : \{ "ProtectStatus": "BLOCK" \} \}

* @public */ CountryRuleSetUpdates: Record | undefined; @@ -8635,9 +7786,7 @@ export interface UpdateSenderIdResult { IsoCountryCode: string | undefined; /** - *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or - * time-sensitive and PROMOTIONAL for messages that aren't critical or - * time-sensitive.

+ *

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

* @public */ MessageTypes: MessageType[] | undefined; diff --git a/codegen/sdk-codegen/aws-models/pinpoint-sms-voice-v2.json b/codegen/sdk-codegen/aws-models/pinpoint-sms-voice-v2.json index d506fb65e2e6..e4a601724e31 100644 --- a/codegen/sdk-codegen/aws-models/pinpoint-sms-voice-v2.json +++ b/codegen/sdk-codegen/aws-models/pinpoint-sms-voice-v2.json @@ -15,7 +15,7 @@ } }, "traits": { - "smithy.api#documentation": "

The request was denied because you don't have sufficient permissions to access the\n resource.

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

The request was denied because you don't have sufficient permissions to access the resource.

", "smithy.api#error": "client" } }, @@ -195,7 +195,7 @@ } ], "traits": { - "smithy.api#documentation": "

Associates the specified origination identity with a pool.

\n

If the origination identity is a phone number and is already associated with another\n pool, an error is returned. A sender ID can be associated with multiple pools.

\n

If the origination identity configuration doesn't match the pool's configuration, an\n error is returned.

" + "smithy.api#documentation": "

Associates the specified origination identity with a pool.

If the origination identity is a phone number and is already associated with another pool, an error is returned. A sender ID can be associated with multiple pools.

If the origination identity configuration doesn't match the pool's configuration, an error is returned.

" } }, "com.amazonaws.pinpointsmsvoicev2#AssociateOriginationIdentityRequest": { @@ -204,28 +204,28 @@ "PoolId": { "target": "com.amazonaws.pinpointsmsvoicev2#PoolIdOrArn", "traits": { - "smithy.api#documentation": "

The pool to update with the new Identity. This value can be either the PoolId or\n PoolArn, and you can find these values using DescribePools.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The pool to update with the new Identity. This value can be either the PoolId or PoolArn, and you can find these values using DescribePools.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } }, "OriginationIdentity": { "target": "com.amazonaws.pinpointsmsvoicev2#PhoneOrSenderIdOrArn", "traits": { - "smithy.api#documentation": "

The origination identity to use, such as PhoneNumberId, PhoneNumberArn, SenderId, or\n SenderIdArn. You can use DescribePhoneNumbers to find the values for\n PhoneNumberId and PhoneNumberArn, while DescribeSenderIds can be used\n to get the values for SenderId and SenderIdArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The origination identity to use, such as PhoneNumberId, PhoneNumberArn, SenderId, or SenderIdArn. You can use DescribePhoneNumbers to find the values for PhoneNumberId and PhoneNumberArn, while DescribeSenderIds can be used to get the values for SenderId and SenderIdArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } }, "IsoCountryCode": { "target": "com.amazonaws.pinpointsmsvoicev2#IsoCountryCode", "traits": { - "smithy.api#documentation": "

The new two-character code, in ISO 3166-1 alpha-2 format, for the country or region of\n the origination identity.

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

The new two-character code, in ISO 3166-1 alpha-2 format, for the country or region of the origination identity.

", "smithy.api#required": {} } }, "ClientToken": { "target": "com.amazonaws.pinpointsmsvoicev2#ClientToken", "traits": { - "smithy.api#documentation": "

Unique, case-sensitive identifier that you provide to ensure the idempotency of the\n request. If you don't specify a client token, a randomly generated token is used for the\n request to ensure idempotency.

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

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

", "smithy.api#idempotencyToken": {} } } @@ -240,7 +240,7 @@ "PoolArn": { "target": "smithy.api#String", "traits": { - "smithy.api#documentation": "

The Amazon Resource Name (ARN) of the pool that is now associated with the origination\n identity.

" + "smithy.api#documentation": "

The Amazon Resource Name (ARN) of the pool that is now associated with the origination identity.

" } }, "PoolId": { @@ -264,7 +264,7 @@ "IsoCountryCode": { "target": "com.amazonaws.pinpointsmsvoicev2#IsoCountryCode", "traits": { - "smithy.api#documentation": "

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.\n

" + "smithy.api#documentation": "

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

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

Associate a protect configuration with a configuration set. This replaces the\n configuration sets current protect configuration. A configuration set can\n only be associated with one protect configuration at a time. A protect configuration can\n be associated with multiple configuration sets.

" + "smithy.api#documentation": "

Associate a protect configuration with a configuration set. This replaces the configuration sets current protect configuration. A configuration set can only be associated with one protect configuration at a time. A protect configuration can be associated with multiple configuration sets.

" } }, "com.amazonaws.pinpointsmsvoicev2#AssociateProtectConfigurationRequest": { @@ -431,7 +431,7 @@ "IamRoleArn": { "target": "com.amazonaws.pinpointsmsvoicev2#IamRoleArn", "traits": { - "smithy.api#documentation": "

The Amazon Resource Name (ARN) of an Identity and Access Management role\n that is able to write event data to an Amazon CloudWatch destination.

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

The Amazon Resource Name (ARN) of an Identity and Access Management role that is able to write event data to an Amazon CloudWatch destination.

", "smithy.api#required": {} } }, @@ -444,7 +444,7 @@ } }, "traits": { - "smithy.api#documentation": "

Contains the destination configuration to use when publishing message sending events.\n

" + "smithy.api#documentation": "

Contains the destination configuration to use when publishing message sending events.

" } }, "com.amazonaws.pinpointsmsvoicev2#ConfigurationSetFilter": { @@ -531,14 +531,14 @@ "EventDestinations": { "target": "com.amazonaws.pinpointsmsvoicev2#EventDestinationList", "traits": { - "smithy.api#documentation": "

An array of EventDestination objects that describe any events to log and where to log\n them.

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

An array of EventDestination objects that describe any events to log and where to log them.

", "smithy.api#required": {} } }, "DefaultMessageType": { "target": "com.amazonaws.pinpointsmsvoicev2#MessageType", "traits": { - "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or\n time-sensitive and PROMOTIONAL for messages that aren't critical or\n time-sensitive.

" + "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

" } }, "DefaultSenderId": { @@ -568,7 +568,7 @@ } }, "traits": { - "smithy.api#documentation": "

Information related to a given configuration set in your Amazon Web Services\n account.

" + "smithy.api#documentation": "

Information related to a given configuration set in your Amazon Web Services account.

" } }, "com.amazonaws.pinpointsmsvoicev2#ConfigurationSetInformationList": { @@ -634,7 +634,7 @@ } }, "traits": { - "smithy.api#documentation": "

Your request has conflicting operations. This can occur if you're trying to perform\n more than one operation on the same resource at the same time or it could be that the\n requested action isn't valid for the current state or configuration of the\n resource.

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

Your request has conflicting operations. This can occur if you're trying to perform more than one operation on the same resource at the same time or it could be that the requested action isn't valid for the current state or configuration of the resource.

", "smithy.api#error": "client" } }, @@ -852,7 +852,7 @@ } ], "traits": { - "smithy.api#documentation": "

Creates a new configuration set. After you create the configuration set, you can add\n one or more event destinations to it.

\n

A configuration set is a set of rules that you apply to the SMS and voice messages\n that you send.

\n

When you send a message, you can optionally specify a single configuration set.

" + "smithy.api#documentation": "

Creates a new configuration set. After you create the configuration set, you can add one or more event destinations to it.

A configuration set is a set of rules that you apply to the SMS and voice messages that you send.

When you send a message, you can optionally specify a single configuration set.

" } }, "com.amazonaws.pinpointsmsvoicev2#CreateConfigurationSetRequest": { @@ -874,7 +874,7 @@ "ClientToken": { "target": "com.amazonaws.pinpointsmsvoicev2#ClientToken", "traits": { - "smithy.api#documentation": "

Unique, case-sensitive identifier that you provide to ensure the idempotency of the\n request. If you don't specify a client token, a randomly generated token is used for the\n request to ensure idempotency.

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

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

", "smithy.api#idempotencyToken": {} } } @@ -901,7 +901,7 @@ "Tags": { "target": "com.amazonaws.pinpointsmsvoicev2#TagList", "traits": { - "smithy.api#documentation": "

An array of key and value pair tags that's associated with the configuration\n set.

" + "smithy.api#documentation": "

An array of key and value pair tags that's associated with the configuration set.

" } }, "CreatedTimestamp": { @@ -947,7 +947,7 @@ } ], "traits": { - "smithy.api#documentation": "

Creates a new event destination in a configuration set.

\n

An event destination is a location where you send message events. The event options\n are Amazon CloudWatch, Amazon Data Firehose, or Amazon SNS. For example,\n when a message is delivered successfully, you can send information about that event to\n an event destination, or send notifications to endpoints that are subscribed to an\n Amazon SNS topic.

\n

Each configuration set can contain between 0 and 5 event destinations. Each event\n destination can contain a reference to a single destination, such as a CloudWatch\n or Firehose destination.

" + "smithy.api#documentation": "

Creates a new event destination in a configuration set.

An event destination is a location where you send message events. The event options are Amazon CloudWatch, Amazon Data Firehose, or Amazon SNS. For example, when a message is delivered successfully, you can send information about that event to an event destination, or send notifications to endpoints that are subscribed to an Amazon SNS topic.

You can only create one event destination at a time. You must provide a value for a single event destination using either CloudWatchLogsDestination, KinesisFirehoseDestination or SnsDestination. If an event destination isn't provided then an exception is returned.

Each configuration set can contain between 0 and 5 event destinations. Each event destination can contain a reference to a single destination, such as a CloudWatch or Firehose destination.

" } }, "com.amazonaws.pinpointsmsvoicev2#CreateEventDestinationRequest": { @@ -956,7 +956,7 @@ "ConfigurationSetName": { "target": "com.amazonaws.pinpointsmsvoicev2#ConfigurationSetNameOrArn", "traits": { - "smithy.api#documentation": "

Either the name of the configuration set or the configuration set ARN to apply event\n logging to. The ConfigurateSetName and ConfigurationSetArn can be found using the DescribeConfigurationSets action.

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

Either the name of the configuration set or the configuration set ARN to apply event logging to. The ConfigurateSetName and ConfigurationSetArn can be found using the DescribeConfigurationSets action.

", "smithy.api#required": {} } }, @@ -970,7 +970,7 @@ "MatchingEventTypes": { "target": "com.amazonaws.pinpointsmsvoicev2#EventTypeList", "traits": { - "smithy.api#documentation": "

An array of event types that determine which events to log. If \"ALL\" is used, then\n AWS End User Messaging SMS and Voice logs every event type.

\n \n

The TEXT_SENT event type is not supported.

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

An array of event types that determine which events to log. If \"ALL\" is used, then AWS End User Messaging SMS and Voice logs every event type.

The TEXT_SENT event type is not supported.

", "smithy.api#required": {} } }, @@ -995,7 +995,7 @@ "ClientToken": { "target": "com.amazonaws.pinpointsmsvoicev2#ClientToken", "traits": { - "smithy.api#documentation": "

Unique, case-sensitive identifier that you provide to ensure the idempotency of the\n request. If you don't specify a client token, a randomly generated token is used for the\n request to ensure idempotency.

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

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

", "smithy.api#idempotencyToken": {} } } @@ -1059,7 +1059,7 @@ } ], "traits": { - "smithy.api#documentation": "

Creates a new opt-out list.

\n

If the opt-out list name already exists, an error is returned.

\n

An opt-out list is a list of phone numbers that are opted out, meaning you can't send\n SMS or voice messages to them. If end user replies with the keyword \"STOP,\" an entry for\n the phone number is added to the opt-out list. In addition to STOP, your recipients can\n use any supported opt-out keyword, such as CANCEL or OPTOUT. For a list of supported\n opt-out keywords, see \n SMS opt out in the AWS End User Messaging SMS User Guide.

" + "smithy.api#documentation": "

Creates a new opt-out list.

If the opt-out list name already exists, an error is returned.

An opt-out list is a list of phone numbers that are opted out, meaning you can't send SMS or voice messages to them. If end user replies with the keyword \"STOP,\" an entry for the phone number is added to the opt-out list. In addition to STOP, your recipients can use any supported opt-out keyword, such as CANCEL or OPTOUT. For a list of supported opt-out keywords, see SMS opt out in the AWS End User Messaging SMS User Guide.

" } }, "com.amazonaws.pinpointsmsvoicev2#CreateOptOutListRequest": { @@ -1081,7 +1081,7 @@ "ClientToken": { "target": "com.amazonaws.pinpointsmsvoicev2#ClientToken", "traits": { - "smithy.api#documentation": "

Unique, case-sensitive identifier that you provide to ensure the idempotency of the\n request. If you don't specify a client token, a randomly generated token is used for the\n request to ensure idempotency.

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

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

", "smithy.api#idempotencyToken": {} } } @@ -1154,7 +1154,7 @@ } ], "traits": { - "smithy.api#documentation": "

Creates a new pool and associates the specified origination identity to the pool. A\n pool can include one or more phone numbers and SenderIds that are associated with your\n Amazon Web Services account.

\n

The new pool inherits its configuration from the specified origination identity. This\n includes keywords, message type, opt-out list, two-way configuration, and self-managed\n opt-out configuration. Deletion protection isn't inherited from the origination identity\n and defaults to false.

\n

If the origination identity is a phone number and is already associated with another\n pool, an error is returned. A sender ID can be associated with multiple pools.

" + "smithy.api#documentation": "

Creates a new pool and associates the specified origination identity to the pool. A pool can include one or more phone numbers and SenderIds that are associated with your Amazon Web Services account.

The new pool inherits its configuration from the specified origination identity. This includes keywords, message type, opt-out list, two-way configuration, and self-managed opt-out configuration. Deletion protection isn't inherited from the origination identity and defaults to false.

If the origination identity is a phone number and is already associated with another pool, an error is returned. A sender ID can be associated with multiple pools.

" } }, "com.amazonaws.pinpointsmsvoicev2#CreatePoolRequest": { @@ -1163,28 +1163,28 @@ "OriginationIdentity": { "target": "com.amazonaws.pinpointsmsvoicev2#PhoneOrSenderIdOrArn", "traits": { - "smithy.api#documentation": "

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, SenderId or\n SenderIdArn. You can use DescribePhoneNumbers to find the values for\n PhoneNumberId and PhoneNumberArn while DescribeSenderIds can be used\n to get the values for SenderId and SenderIdArn.

\n

After the pool is created you can add more origination identities to the pool by using AssociateOriginationIdentity.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, SenderId or SenderIdArn. You can use DescribePhoneNumbers to find the values for PhoneNumberId and PhoneNumberArn while DescribeSenderIds can be used to get the values for SenderId and SenderIdArn.

After the pool is created you can add more origination identities to the pool by using AssociateOriginationIdentity.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } }, "IsoCountryCode": { "target": "com.amazonaws.pinpointsmsvoicev2#IsoCountryCode", "traits": { - "smithy.api#documentation": "

The new two-character code, in ISO 3166-1 alpha-2 format, for the country or region of\n the new pool.

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

The new two-character code, in ISO 3166-1 alpha-2 format, for the country or region of the new pool.

", "smithy.api#required": {} } }, "MessageType": { "target": "com.amazonaws.pinpointsmsvoicev2#MessageType", "traits": { - "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or\n time-sensitive and PROMOTIONAL for messages that aren't critical or\n time-sensitive. After the pool is created the MessageType can't be changed.

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

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive. After the pool is created the MessageType can't be changed.

", "smithy.api#required": {} } }, "DeletionProtectionEnabled": { "target": "smithy.api#Boolean", "traits": { - "smithy.api#documentation": "

By default this is set to false. When set to true the pool can't be deleted. You can\n change this value using the UpdatePool action.

" + "smithy.api#documentation": "

By default this is set to false. When set to true the pool can't be deleted. You can change this value using the UpdatePool action.

" } }, "Tags": { @@ -1196,7 +1196,7 @@ "ClientToken": { "target": "com.amazonaws.pinpointsmsvoicev2#ClientToken", "traits": { - "smithy.api#documentation": "

Unique, case-sensitive identifier that you provide to ensure the idempotency of the\n request. If you don't specify a client token, a randomly generated token is used for the\n request to ensure idempotency.

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

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

", "smithy.api#idempotencyToken": {} } } @@ -1223,7 +1223,7 @@ "Status": { "target": "com.amazonaws.pinpointsmsvoicev2#PoolStatus", "traits": { - "smithy.api#documentation": "

The current status of the pool.

\n
    \n
  • \n

    CREATING: The pool is currently being created and isn't yet available for\n use.

    \n
  • \n
  • \n

    ACTIVE: The pool is active and available for use.

    \n
  • \n
  • \n

    DELETING: The pool is being deleted.

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

The current status of the pool.

  • CREATING: The pool is currently being created and isn't yet available for use.

  • ACTIVE: The pool is active and available for use.

  • DELETING: The pool is being deleted.

" } }, "MessageType": { @@ -1236,7 +1236,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text\n messages from your end recipients.

" + "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text messages from your end recipients.

" } }, "TwoWayChannelArn": { @@ -1255,7 +1255,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

By default this is set to false. When an end recipient sends a message that begins\n with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically\n replies with a customizable message and adds the end recipient to the OptOutList. When\n set to true you're responsible for responding to HELP and STOP requests. You're also\n responsible for tracking and honoring opt-out requests.

" + "smithy.api#documentation": "

By default this is set to false. When an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out requests.

" } }, "OptOutListName": { @@ -1275,7 +1275,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

When set to true deletion protection is enabled. By default this is set to false.\n

" + "smithy.api#documentation": "

When set to true deletion protection is enabled. By default this is set to false.

" } }, "Tags": { @@ -1307,6 +1307,9 @@ { "target": "com.amazonaws.pinpointsmsvoicev2#AccessDeniedException" }, + { + "target": "com.amazonaws.pinpointsmsvoicev2#ConflictException" + }, { "target": "com.amazonaws.pinpointsmsvoicev2#InternalServerException" }, @@ -1330,14 +1333,14 @@ "ClientToken": { "target": "com.amazonaws.pinpointsmsvoicev2#ClientToken", "traits": { - "smithy.api#documentation": "

Unique, case-sensitive identifier that you provide to ensure the idempotency of the\n request. If you don't specify a client token, a randomly generated token is used for the\n request to ensure idempotency.

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

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

", "smithy.api#idempotencyToken": {} } }, "DeletionProtectionEnabled": { "target": "smithy.api#Boolean", "traits": { - "smithy.api#documentation": "

When set to true deletion protection is enabled. By default this is set to false.\n

" + "smithy.api#documentation": "

When set to true deletion protection is enabled. By default this is set to false.

" } }, "Tags": { @@ -1387,7 +1390,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

When set to true deletion protection is enabled. By default this is set to false.\n

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

When set to true deletion protection is enabled. By default this is set to false.

", "smithy.api#required": {} } }, @@ -1511,7 +1514,7 @@ "RegistrationType": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationType", "traits": { - "smithy.api#documentation": "

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions\n action.

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

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

", "smithy.api#required": {} } }, @@ -1582,7 +1585,7 @@ } ], "traits": { - "smithy.api#documentation": "

Create a new registration attachment to use for uploading a file or a URL to a file.\n The maximum file size is 500KB and valid file extensions are PDF, JPEG and PNG. For\n example, many sender ID registrations require a signed “letter of authorization” (LOA)\n to be submitted.

\n

Use either AttachmentUrl or AttachmentBody to upload your attachment. If both are specified then an exception is returned.

" + "smithy.api#documentation": "

Create a new registration attachment to use for uploading a file or a URL to a file. The maximum file size is 500KB and valid file extensions are PDF, JPEG and PNG. For example, many sender ID registrations require a signed “letter of authorization” (LOA) to be submitted.

Use either AttachmentUrl or AttachmentBody to upload your attachment. If both are specified then an exception is returned.

" } }, "com.amazonaws.pinpointsmsvoicev2#CreateRegistrationAttachmentRequest": { @@ -1609,7 +1612,7 @@ "ClientToken": { "target": "com.amazonaws.pinpointsmsvoicev2#ClientToken", "traits": { - "smithy.api#documentation": "

Unique, case-sensitive identifier that you provide to ensure the idempotency of the\n request. If you don't specify a client token, a randomly generated token is used for the\n request to ensure idempotency.

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

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

", "smithy.api#idempotencyToken": {} } } @@ -1638,7 +1641,7 @@ "AttachmentStatus": { "target": "com.amazonaws.pinpointsmsvoicev2#AttachmentStatus", "traits": { - "smithy.api#documentation": "

The status of the registration attachment.

\n
    \n
  • \n

    \n UPLOAD_IN_PROGRESS The attachment is being uploaded.

    \n
  • \n
  • \n

    \n UPLOAD_COMPLETE The attachment has been uploaded.

    \n
  • \n
  • \n

    \n UPLOAD_FAILED The attachment failed to uploaded.

    \n
  • \n
  • \n

    \n DELETED The attachment has been deleted..

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

The status of the registration attachment.

  • UPLOAD_IN_PROGRESS The attachment is being uploaded.

  • UPLOAD_COMPLETE The attachment has been uploaded.

  • UPLOAD_FAILED The attachment failed to uploaded.

  • DELETED The attachment has been deleted..

", "smithy.api#required": {} } }, @@ -1666,7 +1669,7 @@ "RegistrationType": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationType", "traits": { - "smithy.api#documentation": "

The type of registration form to create. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions\n action.

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

The type of registration form to create. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

", "smithy.api#required": {} } }, @@ -1679,7 +1682,7 @@ "ClientToken": { "target": "com.amazonaws.pinpointsmsvoicev2#ClientToken", "traits": { - "smithy.api#documentation": "

Unique, case-sensitive identifier that you provide to ensure the idempotency of the\n request. If you don't specify a client token, a randomly generated token is used for the\n request to ensure idempotency.

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

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

", "smithy.api#idempotencyToken": {} } } @@ -1708,14 +1711,14 @@ "RegistrationType": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationType", "traits": { - "smithy.api#documentation": "

The type of registration form to create. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions\n action.

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

The type of registration form to create. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

", "smithy.api#required": {} } }, "RegistrationStatus": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationStatus", "traits": { - "smithy.api#documentation": "

The status of the registration.

\n
    \n
  • \n

    \n CLOSED: The phone number or sender ID has been deleted and you must also delete the registration for the number.

    \n
  • \n
  • \n

    \n CREATED: Your registration is created but not submitted.

    \n
  • \n
  • \n

    \n COMPLETE: Your registration has been approved and your origination identity has been created.

    \n
  • \n
  • \n

    \n DELETED: The registration has been deleted.

    \n
  • \n
  • \n

    \n PROVISIONING: Your registration has been approved and your origination identity is being created.

    \n
  • \n
  • \n

    \n REQUIRES_AUTHENTICATION: You need to complete email authentication.

    \n
  • \n
  • \n

    \n REQUIRES_UPDATES: You must fix your registration and resubmit it.

    \n
  • \n
  • \n

    \n REVIEWING: Your registration has been accepted and is being reviewed.

    \n
  • \n
  • \n

    \n SUBMITTED: Your registration has been submitted and is awaiting review.

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

The status of the registration.

  • CLOSED: The phone number or sender ID has been deleted and you must also delete the registration for the number.

  • CREATED: Your registration is created but not submitted.

  • COMPLETE: Your registration has been approved and your origination identity has been created.

  • DELETED: The registration has been deleted.

  • PROVISIONING: Your registration has been approved and your origination identity is being created.

  • REQUIRES_AUTHENTICATION: You need to complete email authentication.

  • REQUIRES_UPDATES: You must fix your registration and resubmit it.

  • REVIEWING: Your registration has been accepted and is being reviewed.

  • SUBMITTED: Your registration has been submitted and is awaiting review.

", "smithy.api#required": {} } }, @@ -1827,7 +1830,7 @@ "RegistrationVersionStatus": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationVersionStatus", "traits": { - "smithy.api#documentation": "

The status of the registration.

\n
    \n
  • \n

    \n APPROVED: Your registration has been approved.

    \n
  • \n
  • \n

    \n ARCHIVED: Your previously approved registration version moves into this status when a more recently submitted version is approved.

    \n
  • \n
  • \n

    \n DENIED: You must fix your registration and resubmit it.

    \n
  • \n
  • \n

    \n DISCARDED: You've abandon this version of their registration to start over with a new version.

    \n
  • \n
  • \n

    \n DRAFT: The initial status of a registration version after it’s created.

    \n
  • \n
  • \n

    \n REQUIRES_AUTHENTICATION: You need to complete email authentication.

    \n
  • \n
  • \n

    \n REVIEWING: Your registration has been accepted and is being reviewed.

    \n
  • \n
  • \n

    \n REVOKED: Your previously approved registration has been revoked.

    \n
  • \n
  • \n

    \n SUBMITTED: Your registration has been submitted.

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

The status of the registration.

  • APPROVED: Your registration has been approved.

  • ARCHIVED: Your previously approved registration version moves into this status when a more recently submitted version is approved.

  • DENIED: You must fix your registration and resubmit it.

  • DISCARDED: You've abandon this version of their registration to start over with a new version.

  • DRAFT: The initial status of a registration version after it’s created.

  • REQUIRES_AUTHENTICATION: You need to complete email authentication.

  • REVIEWING: Your registration has been accepted and is being reviewed.

  • REVOKED: Your previously approved registration has been revoked.

  • SUBMITTED: Your registration has been submitted.

", "smithy.api#required": {} } }, @@ -1872,7 +1875,7 @@ } ], "traits": { - "smithy.api#documentation": "

You can only send messages to verified destination numbers when your account is in the sandbox. You can add up to 10 verified destination\n numbers.

" + "smithy.api#documentation": "

You can only send messages to verified destination numbers when your account is in the sandbox. You can add up to 10 verified destination numbers.

" } }, "com.amazonaws.pinpointsmsvoicev2#CreateVerifiedDestinationNumberRequest": { @@ -1894,7 +1897,7 @@ "ClientToken": { "target": "com.amazonaws.pinpointsmsvoicev2#ClientToken", "traits": { - "smithy.api#documentation": "

Unique, case-sensitive identifier that you provide to ensure the idempotency of the\n request. If you don't specify a client token, a randomly generated token is used for the\n request to ensure idempotency.

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

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

", "smithy.api#idempotencyToken": {} } } @@ -1930,7 +1933,7 @@ "Status": { "target": "com.amazonaws.pinpointsmsvoicev2#VerificationStatus", "traits": { - "smithy.api#documentation": "

The status of the verified destination phone number.

\n
    \n
  • \n

    \n PENDING: The phone number hasn't been verified yet.

    \n
  • \n
  • \n

    \n VERIFIED: The phone number is verified and can receive messages.

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

The status of the verified destination phone number.

  • PENDING: The phone number hasn't been verified yet.

  • VERIFIED: The phone number is verified and can receive messages.

", "smithy.api#required": {} } }, @@ -2036,7 +2039,7 @@ } ], "traits": { - "smithy.api#documentation": "

Deletes an existing configuration set.

\n

A configuration set is a set of rules that you apply to voice and SMS messages that\n you send. In a configuration set, you can specify a destination for specific types of\n events related to voice and SMS messages.

" + "smithy.api#documentation": "

Deletes an existing configuration set.

A configuration set is a set of rules that you apply to voice and SMS messages that you send. In a configuration set, you can specify a destination for specific types of events related to voice and SMS messages.

" } }, "com.amazonaws.pinpointsmsvoicev2#DeleteConfigurationSetRequest": { @@ -2045,7 +2048,7 @@ "ConfigurationSetName": { "target": "com.amazonaws.pinpointsmsvoicev2#ConfigurationSetNameOrArn", "traits": { - "smithy.api#documentation": "

The name of the configuration set or the configuration set ARN that you want to\n delete. The ConfigurationSetName and ConfigurationSetArn can be found using the DescribeConfigurationSets action.

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

The name of the configuration set or the configuration set ARN that you want to delete. The ConfigurationSetName and ConfigurationSetArn can be found using the DescribeConfigurationSets action.

", "smithy.api#required": {} } } @@ -2072,7 +2075,7 @@ "EventDestinations": { "target": "com.amazonaws.pinpointsmsvoicev2#EventDestinationList", "traits": { - "smithy.api#documentation": "

An array of any EventDestination objects that were associated with the deleted\n configuration set.

" + "smithy.api#documentation": "

An array of any EventDestination objects that were associated with the deleted configuration set.

" } }, "DefaultMessageType": { @@ -2130,7 +2133,7 @@ } ], "traits": { - "smithy.api#documentation": "

Deletes an existing default message type on a configuration set.

\n

A message type is a type of messages that you plan to send. If you send\n account-related messages or time-sensitive messages such as one-time passcodes, choose\n Transactional. If you plan to send messages that\n contain marketing material or other promotional content, choose Promotional. This setting applies to your entire Amazon Web Services\n account.

" + "smithy.api#documentation": "

Deletes an existing default message type on a configuration set.

A message type is a type of messages that you plan to send. If you send account-related messages or time-sensitive messages such as one-time passcodes, choose Transactional. If you plan to send messages that contain marketing material or other promotional content, choose Promotional. This setting applies to your entire Amazon Web Services account.

" } }, "com.amazonaws.pinpointsmsvoicev2#DeleteDefaultMessageTypeRequest": { @@ -2139,7 +2142,7 @@ "ConfigurationSetName": { "target": "com.amazonaws.pinpointsmsvoicev2#ConfigurationSetNameOrArn", "traits": { - "smithy.api#documentation": "

The name of the configuration set or the configuration set Amazon Resource Name (ARN)\n to delete the default message type from. The ConfigurationSetName and\n ConfigurationSetArn can be found using the DescribeConfigurationSets\n action.

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

The name of the configuration set or the configuration set Amazon Resource Name (ARN) to delete the default message type from. The ConfigurationSetName and ConfigurationSetArn can be found using the DescribeConfigurationSets action.

", "smithy.api#required": {} } } @@ -2200,7 +2203,7 @@ } ], "traits": { - "smithy.api#documentation": "

Deletes an existing default sender ID on a configuration set.

\n

A default sender ID is the identity that appears on recipients' devices when they\n receive SMS messages. Support for sender ID capabilities varies by country or\n region.

" + "smithy.api#documentation": "

Deletes an existing default sender ID on a configuration set.

A default sender ID is the identity that appears on recipients' devices when they receive SMS messages. Support for sender ID capabilities varies by country or region.

" } }, "com.amazonaws.pinpointsmsvoicev2#DeleteDefaultSenderIdRequest": { @@ -2209,7 +2212,7 @@ "ConfigurationSetName": { "target": "com.amazonaws.pinpointsmsvoicev2#ConfigurationSetNameOrArn", "traits": { - "smithy.api#documentation": "

The name of the configuration set or the configuration set Amazon Resource Name (ARN)\n to delete the default sender ID from. The ConfigurationSetName and ConfigurationSetArn\n can be found using the DescribeConfigurationSets action.

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

The name of the configuration set or the configuration set Amazon Resource Name (ARN) to delete the default sender ID from. The ConfigurationSetName and ConfigurationSetArn can be found using the DescribeConfigurationSets action.

", "smithy.api#required": {} } } @@ -2270,7 +2273,7 @@ } ], "traits": { - "smithy.api#documentation": "

Deletes an existing event destination.

\n

An event destination is a location where you send response information about the\n messages that you send. For example, when a message is delivered successfully, you can\n send information about that event to an Amazon CloudWatch destination, or send\n notifications to endpoints that are subscribed to an Amazon SNS topic.

" + "smithy.api#documentation": "

Deletes an existing event destination.

An event destination is a location where you send response information about the messages that you send. For example, when a message is delivered successfully, you can send information about that event to an Amazon CloudWatch destination, or send notifications to endpoints that are subscribed to an Amazon SNS topic.

" } }, "com.amazonaws.pinpointsmsvoicev2#DeleteEventDestinationRequest": { @@ -2279,7 +2282,7 @@ "ConfigurationSetName": { "target": "com.amazonaws.pinpointsmsvoicev2#ConfigurationSetNameOrArn", "traits": { - "smithy.api#documentation": "

The name of the configuration set or the configuration set's Amazon Resource Name\n (ARN) to remove the event destination from. The ConfigurateSetName and\n ConfigurationSetArn can be found using the DescribeConfigurationSets\n action.

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

The name of the configuration set or the configuration set's Amazon Resource Name (ARN) to remove the event destination from. The ConfigurateSetName and ConfigurationSetArn can be found using the DescribeConfigurationSets action.

", "smithy.api#required": {} } }, @@ -2350,7 +2353,7 @@ } ], "traits": { - "smithy.api#documentation": "

Deletes an existing keyword from an origination phone number or pool.

\n

A keyword is a word that you can search for on a particular phone number or pool. It\n is also a specific word or phrase that an end user can send to your number to elicit a\n response, such as an informational message or a special offer. When your number receives\n a message that begins with a keyword, AWS End User Messaging SMS and Voice responds with a customizable\n message.

\n

Keywords \"HELP\" and \"STOP\" can't be deleted or modified.

" + "smithy.api#documentation": "

Deletes an existing keyword from an origination phone number or pool.

A keyword is a word that you can search for on a particular phone number or pool. It is also a specific word or phrase that an end user can send to your number to elicit a response, such as an informational message or a special offer. When your number receives a message that begins with a keyword, AWS End User Messaging SMS and Voice responds with a customizable message.

Keywords \"HELP\" and \"STOP\" can't be deleted or modified.

" } }, "com.amazonaws.pinpointsmsvoicev2#DeleteKeywordRequest": { @@ -2359,7 +2362,7 @@ "OriginationIdentity": { "target": "com.amazonaws.pinpointsmsvoicev2#PhoneOrPoolIdOrArn", "traits": { - "smithy.api#documentation": "

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, PoolId or\n PoolArn. You can use DescribePhoneNumbers to find the values for\n PhoneNumberId and PhoneNumberArn and DescribePools to find the values\n of PoolId and PoolArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, PoolId or PoolArn. You can use DescribePhoneNumbers to find the values for PhoneNumberId and PhoneNumberArn and DescribePools to find the values of PoolId and PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } }, @@ -2436,7 +2439,7 @@ } ], "traits": { - "smithy.api#documentation": "

Deletes an account-level monthly spending limit override for sending multimedia messages (MMS).\n Deleting a spend limit override will set the EnforcedLimit to equal the\n MaxLimit, which is controlled by Amazon Web Services. For more\n information on spend limits (quotas) see Quotas for Server Migration Service\n in the Server Migration Service User Guide.

" + "smithy.api#documentation": "

Deletes an account-level monthly spending limit override for sending multimedia messages (MMS). Deleting a spend limit override will set the EnforcedLimit to equal the MaxLimit, which is controlled by Amazon Web Services. For more information on spend limits (quotas) see Quotas for Server Migration Service in the Server Migration Service User Guide.

" } }, "com.amazonaws.pinpointsmsvoicev2#DeleteMediaMessageSpendLimitOverrideRequest": { @@ -2489,7 +2492,7 @@ } ], "traits": { - "smithy.api#documentation": "

Deletes an existing opt-out list. All opted out phone numbers in the opt-out list are\n deleted.

\n

If the specified opt-out list name doesn't exist or is in-use by an origination phone\n number or pool, an error is returned.

" + "smithy.api#documentation": "

Deletes an existing opt-out list. All opted out phone numbers in the opt-out list are deleted.

If the specified opt-out list name doesn't exist or is in-use by an origination phone number or pool, an error is returned.

" } }, "com.amazonaws.pinpointsmsvoicev2#DeleteOptOutListRequest": { @@ -2498,7 +2501,7 @@ "OptOutListName": { "target": "com.amazonaws.pinpointsmsvoicev2#OptOutListNameOrArn", "traits": { - "smithy.api#documentation": "

The OptOutListName or OptOutListArn of the OptOutList to delete. You can use DescribeOptOutLists to find the values for OptOutListName and\n OptOutListArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The OptOutListName or OptOutListArn of the OptOutList to delete. You can use DescribeOptOutLists to find the values for OptOutListName and OptOutListArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } } @@ -2562,7 +2565,7 @@ } ], "traits": { - "smithy.api#documentation": "

Deletes an existing opted out destination phone number from the specified opt-out\n list.

\n

Each destination phone number can only be deleted once every 30 days.

\n

If the specified destination phone number doesn't exist or if the opt-out list doesn't\n exist, an error is returned.

" + "smithy.api#documentation": "

Deletes an existing opted out destination phone number from the specified opt-out list.

Each destination phone number can only be deleted once every 30 days.

If the specified destination phone number doesn't exist or if the opt-out list doesn't exist, an error is returned.

" } }, "com.amazonaws.pinpointsmsvoicev2#DeleteOptedOutNumberRequest": { @@ -2571,7 +2574,7 @@ "OptOutListName": { "target": "com.amazonaws.pinpointsmsvoicev2#OptOutListNameOrArn", "traits": { - "smithy.api#documentation": "

The OptOutListName or OptOutListArn to remove the phone number from.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The OptOutListName or OptOutListArn to remove the phone number from.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } }, @@ -2618,7 +2621,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

This is true if it was the end user who requested their phone number be removed.\n

" + "smithy.api#documentation": "

This is true if it was the end user who requested their phone number be removed.

" } } }, @@ -2655,7 +2658,7 @@ } ], "traits": { - "smithy.api#documentation": "

Deletes an existing pool. Deleting a pool disassociates all origination identities\n from that pool.

\n

If the pool status isn't active or if deletion protection is enabled, an error is\n returned.

\n

A pool is a collection of phone numbers and SenderIds. A pool can include one or more\n phone numbers and SenderIds that are associated with your Amazon Web Services\n account.

" + "smithy.api#documentation": "

Deletes an existing pool. Deleting a pool disassociates all origination identities from that pool.

If the pool status isn't active or if deletion protection is enabled, an error is returned.

A pool is a collection of phone numbers and SenderIds. A pool can include one or more phone numbers and SenderIds that are associated with your Amazon Web Services account.

" } }, "com.amazonaws.pinpointsmsvoicev2#DeletePoolRequest": { @@ -2664,7 +2667,7 @@ "PoolId": { "target": "com.amazonaws.pinpointsmsvoicev2#PoolIdOrArn", "traits": { - "smithy.api#documentation": "

The PoolId or PoolArn of the pool to delete. You can use DescribePools to find the values for PoolId and PoolArn .

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The PoolId or PoolArn of the pool to delete. You can use DescribePools to find the values for PoolId and PoolArn .

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } } @@ -2691,7 +2694,7 @@ "Status": { "target": "com.amazonaws.pinpointsmsvoicev2#PoolStatus", "traits": { - "smithy.api#documentation": "

The current status of the pool.

\n
    \n
  • \n

    CREATING: The pool is currently being created and isn't yet available for\n use.

    \n
  • \n
  • \n

    ACTIVE: The pool is active and available for use.

    \n
  • \n
  • \n

    DELETING: The pool is being deleted.

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

The current status of the pool.

  • CREATING: The pool is currently being created and isn't yet available for use.

  • ACTIVE: The pool is active and available for use.

  • DELETING: The pool is being deleted.

" } }, "MessageType": { @@ -2704,7 +2707,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text\n messages from your end recipients.

" + "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text messages from your end recipients.

" } }, "TwoWayChannelArn": { @@ -2723,7 +2726,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

By default this is set to false. When an end recipient sends a message that begins\n with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically\n replies with a customizable message and adds the end recipient to the OptOutList. When\n set to true you're responsible for responding to HELP and STOP requests. You're also\n responsible for tracking and honoring opt-out requests.

" + "smithy.api#documentation": "

By default this is set to false. When an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out requests.

" } }, "OptOutListName": { @@ -2833,7 +2836,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

The status of deletion protection for the protect configuration. When set to true deletion protection is enabled. By default this is set to false.\n

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

The status of deletion protection for the protect configuration. When set to true deletion protection is enabled. By default this is set to false.

", "smithy.api#required": {} } } @@ -3047,7 +3050,7 @@ "AttachmentStatus": { "target": "com.amazonaws.pinpointsmsvoicev2#AttachmentStatus", "traits": { - "smithy.api#documentation": "

The status of the registration attachment.

\n
    \n
  • \n

    \n UPLOAD_IN_PROGRESS The attachment is being uploaded.

    \n
  • \n
  • \n

    \n UPLOAD_COMPLETE The attachment has been uploaded.

    \n
  • \n
  • \n

    \n UPLOAD_FAILED The attachment failed to uploaded.

    \n
  • \n
  • \n

    \n DELETED The attachment has been deleted..

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

The status of the registration attachment.

  • UPLOAD_IN_PROGRESS The attachment is being uploaded.

  • UPLOAD_COMPLETE The attachment has been uploaded.

  • UPLOAD_FAILED The attachment failed to uploaded.

  • DELETED The attachment has been deleted..

", "smithy.api#required": {} } }, @@ -3212,14 +3215,14 @@ "RegistrationType": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationType", "traits": { - "smithy.api#documentation": "

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions\n action.

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

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

", "smithy.api#required": {} } }, "RegistrationStatus": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationStatus", "traits": { - "smithy.api#documentation": "

The status of the registration.

\n
    \n
  • \n

    \n CLOSED: The phone number or sender ID has been deleted and you must also delete the registration for the number.

    \n
  • \n
  • \n

    \n CREATED: Your registration is created but not submitted.

    \n
  • \n
  • \n

    \n COMPLETE: Your registration has been approved and your origination identity has been created.

    \n
  • \n
  • \n

    \n DELETED: The registration has been deleted.

    \n
  • \n
  • \n

    \n PROVISIONING: Your registration has been approved and your origination identity is being created.

    \n
  • \n
  • \n

    \n REQUIRES_AUTHENTICATION: You need to complete email authentication.

    \n
  • \n
  • \n

    \n REQUIRES_UPDATES: You must fix your registration and resubmit it.

    \n
  • \n
  • \n

    \n REVIEWING: Your registration has been accepted and is being reviewed.

    \n
  • \n
  • \n

    \n SUBMITTED: Your registration has been submitted and is awaiting review.

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

The status of the registration.

  • CLOSED: The phone number or sender ID has been deleted and you must also delete the registration for the number.

  • CREATED: Your registration is created but not submitted.

  • COMPLETE: Your registration has been approved and your origination identity has been created.

  • DELETED: The registration has been deleted.

  • PROVISIONING: Your registration has been approved and your origination identity is being created.

  • REQUIRES_AUTHENTICATION: You need to complete email authentication.

  • REQUIRES_UPDATES: You must fix your registration and resubmit it.

  • REVIEWING: Your registration has been accepted and is being reviewed.

  • SUBMITTED: Your registration has been submitted and is awaiting review.

", "smithy.api#required": {} } }, @@ -3353,7 +3356,7 @@ } ], "traits": { - "smithy.api#documentation": "

Deletes an account-level monthly spending limit override for sending text messages.\n Deleting a spend limit override will set the EnforcedLimit to equal the\n MaxLimit, which is controlled by Amazon Web Services. For more\n information on spend limits (quotas) see Quotas \n in the AWS End User Messaging SMS User Guide.

" + "smithy.api#documentation": "

Deletes an account-level monthly spending limit override for sending text messages. Deleting a spend limit override will set the EnforcedLimit to equal the MaxLimit, which is controlled by Amazon Web Services. For more information on spend limits (quotas) see Quotas in the AWS End User Messaging SMS User Guide.

" } }, "com.amazonaws.pinpointsmsvoicev2#DeleteTextMessageSpendLimitOverrideRequest": { @@ -3483,7 +3486,7 @@ } ], "traits": { - "smithy.api#documentation": "

Deletes an account level monthly spend limit override for sending voice messages.\n Deleting a spend limit override sets the EnforcedLimit equal to the\n MaxLimit, which is controlled by Amazon Web Services. For more\n information on spending limits (quotas) see Quotas \n in the AWS End User Messaging SMS User Guide.

" + "smithy.api#documentation": "

Deletes an account level monthly spend limit override for sending voice messages. Deleting a spend limit override sets the EnforcedLimit equal to the MaxLimit, which is controlled by Amazon Web Services. For more information on spending limits (quotas) see Quotas in the AWS End User Messaging SMS User Guide.

" } }, "com.amazonaws.pinpointsmsvoicev2#DeleteVoiceMessageSpendLimitOverrideRequest": { @@ -3540,7 +3543,7 @@ } ], "traits": { - "smithy.api#documentation": "

Describes attributes of your Amazon Web Services account. The supported account\n attributes include account tier, which indicates whether your account is in the sandbox\n or production environment. When you're ready to move your account out of the sandbox,\n create an Amazon Web Services Support case for a service limit increase request.

\n

New accounts are placed into an SMS or voice sandbox. The sandbox\n protects both Amazon Web Services end recipients and SMS or voice recipients from fraud\n and abuse.

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

Describes attributes of your Amazon Web Services account. The supported account attributes include account tier, which indicates whether your account is in the sandbox or production environment. When you're ready to move your account out of the sandbox, create an Amazon Web Services Support case for a service limit increase request.

New accounts are placed into an SMS or voice sandbox. The sandbox protects both Amazon Web Services end recipients and SMS or voice recipients from fraud and abuse.

", "smithy.api#paginated": { "items": "AccountAttributes" } @@ -3552,7 +3555,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -3578,7 +3581,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty\n then there are no more results.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

" } } }, @@ -3609,7 +3612,7 @@ } ], "traits": { - "smithy.api#documentation": "

Describes the current AWS End User Messaging SMS and Voice SMS Voice V2 resource quotas for your\n account. The description for a quota includes the quota name, current usage toward that\n quota, and the quota's maximum value.

\n

When you establish an Amazon Web Services account, the account has initial quotas on\n the maximum number of configuration sets, opt-out lists, phone numbers, and pools that\n you can create in a given Region. For more information see Quotas \n in the AWS End User Messaging SMS User Guide.

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

Describes the current AWS End User Messaging SMS and Voice SMS Voice V2 resource quotas for your account. The description for a quota includes the quota name, current usage toward that quota, and the quota's maximum value.

When you establish an Amazon Web Services account, the account has initial quotas on the maximum number of configuration sets, opt-out lists, phone numbers, and pools that you can create in a given Region. For more information see Quotas in the AWS End User Messaging SMS User Guide.

", "smithy.api#paginated": { "items": "AccountLimits" } @@ -3621,7 +3624,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -3647,7 +3650,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty\n then there are no more results.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

" } } }, @@ -3681,7 +3684,7 @@ } ], "traits": { - "smithy.api#documentation": "

Describes the specified configuration sets or all in your account.

\n

If you specify configuration set names, the output includes information for only the\n specified configuration sets. If you specify filters, the output includes information\n for only those configuration sets that meet the filter criteria. If you don't specify\n configuration set names or filters, the output includes information for all\n configuration sets.

\n

If you specify a configuration set name that isn't valid, an error is returned.

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

Describes the specified configuration sets or all in your account.

If you specify configuration set names, the output includes information for only the specified configuration sets. If you specify filters, the output includes information for only those configuration sets that meet the filter criteria. If you don't specify configuration set names or filters, the output includes information for all configuration sets.

If you specify a configuration set name that isn't valid, an error is returned.

", "smithy.api#paginated": { "items": "ConfigurationSets" } @@ -3693,7 +3696,7 @@ "ConfigurationSetNames": { "target": "com.amazonaws.pinpointsmsvoicev2#ConfigurationSetNameList", "traits": { - "smithy.api#documentation": "

An array of strings. Each element can be either a ConfigurationSetName or\n ConfigurationSetArn.

" + "smithy.api#documentation": "

An array of strings. Each element can be either a ConfigurationSetName or ConfigurationSetArn.

" } }, "Filters": { @@ -3705,7 +3708,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -3731,7 +3734,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty\n then there are no more results.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

" } } }, @@ -3765,7 +3768,7 @@ } ], "traits": { - "smithy.api#documentation": "

Describes the specified keywords or all keywords on your origination phone number or\n pool.

\n

A keyword is a word that you can search for on a particular phone number or pool. It\n is also a specific word or phrase that an end user can send to your number to elicit a\n response, such as an informational message or a special offer. When your number receives\n a message that begins with a keyword, AWS End User Messaging SMS and Voice responds with a customizable\n message.

\n

If you specify a keyword that isn't valid, an error is returned.

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

Describes the specified keywords or all keywords on your origination phone number or pool.

A keyword is a word that you can search for on a particular phone number or pool. It is also a specific word or phrase that an end user can send to your number to elicit a response, such as an informational message or a special offer. When your number receives a message that begins with a keyword, AWS End User Messaging SMS and Voice responds with a customizable message.

If you specify a keyword that isn't valid, an error is returned.

", "smithy.api#paginated": { "items": "Keywords" } @@ -3777,7 +3780,7 @@ "OriginationIdentity": { "target": "com.amazonaws.pinpointsmsvoicev2#PhoneOrPoolIdOrArn", "traits": { - "smithy.api#documentation": "

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, SenderId or\n SenderIdArn. You can use DescribePhoneNumbers to find the values for\n PhoneNumberId and PhoneNumberArn while DescribeSenderIds can be used\n to get the values for SenderId and SenderIdArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, SenderId or SenderIdArn. You can use DescribePhoneNumbers to find the values for PhoneNumberId and PhoneNumberArn while DescribeSenderIds can be used to get the values for SenderId and SenderIdArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } }, @@ -3796,7 +3799,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -3834,7 +3837,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty\n then there are no more results.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

" } } }, @@ -3868,7 +3871,7 @@ } ], "traits": { - "smithy.api#documentation": "

Describes the specified opt-out list or all opt-out lists in your account.

\n

If you specify opt-out list names, the output includes information for only the\n specified opt-out lists. Opt-out lists include only those that meet the filter criteria.\n If you don't specify opt-out list names or filters, the output includes information for\n all opt-out lists.

\n

If you specify an opt-out list name that isn't valid, an error is returned.

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

Describes the specified opt-out list or all opt-out lists in your account.

If you specify opt-out list names, the output includes information for only the specified opt-out lists. Opt-out lists include only those that meet the filter criteria. If you don't specify opt-out list names or filters, the output includes information for all opt-out lists.

If you specify an opt-out list name that isn't valid, an error is returned.

", "smithy.api#paginated": { "items": "OptOutLists" } @@ -3880,13 +3883,13 @@ "OptOutListNames": { "target": "com.amazonaws.pinpointsmsvoicev2#OptOutListNameList", "traits": { - "smithy.api#documentation": "

The OptOutLists to show the details of. This is an array of strings that can be either\n the OptOutListName or OptOutListArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The OptOutLists to show the details of. This is an array of strings that can be either the OptOutListName or OptOutListArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

" } }, "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -3912,13 +3915,13 @@ "OptOutLists": { "target": "com.amazonaws.pinpointsmsvoicev2#OptOutListInformationList", "traits": { - "smithy.api#documentation": "

An array of OptOutListInformation objects that contain the details for the requested\n OptOutLists.

" + "smithy.api#documentation": "

An array of OptOutListInformation objects that contain the details for the requested OptOutLists.

" } }, "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty\n then there are no more results.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

" } } }, @@ -3952,7 +3955,7 @@ } ], "traits": { - "smithy.api#documentation": "

Describes the specified opted out destination numbers or all opted out destination\n numbers in an opt-out list.

\n

If you specify opted out numbers, the output includes information for only the\n specified opted out numbers. If you specify filters, the output includes information for\n only those opted out numbers that meet the filter criteria. If you don't specify opted\n out numbers or filters, the output includes information for all opted out destination\n numbers in your opt-out list.

\n

If you specify an opted out number that isn't valid, an exception is returned.

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

Describes the specified opted out destination numbers or all opted out destination numbers in an opt-out list.

If you specify opted out numbers, the output includes information for only the specified opted out numbers. If you specify filters, the output includes information for only those opted out numbers that meet the filter criteria. If you don't specify opted out numbers or filters, the output includes information for all opted out destination numbers in your opt-out list.

If you specify an opted out number that isn't valid, an exception is returned.

", "smithy.api#paginated": { "items": "OptedOutNumbers" } @@ -3964,14 +3967,14 @@ "OptOutListName": { "target": "com.amazonaws.pinpointsmsvoicev2#OptOutListNameOrArn", "traits": { - "smithy.api#documentation": "

The OptOutListName or OptOutListArn of the OptOutList. You can use DescribeOptOutLists to find the values for OptOutListName and\n OptOutListArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The OptOutListName or OptOutListArn of the OptOutList. You can use DescribeOptOutLists to find the values for OptOutListName and OptOutListArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } }, "OptedOutNumbers": { "target": "com.amazonaws.pinpointsmsvoicev2#OptedOutNumberList", "traits": { - "smithy.api#documentation": "

An array of phone numbers to search for in the OptOutList.

\n

If you specify an opted out number that isn't valid, an exception is returned.

" + "smithy.api#documentation": "

An array of phone numbers to search for in the OptOutList.

If you specify an opted out number that isn't valid, an exception is returned.

" } }, "Filters": { @@ -3983,7 +3986,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -4015,13 +4018,13 @@ "OptedOutNumbers": { "target": "com.amazonaws.pinpointsmsvoicev2#OptedOutNumberInformationList", "traits": { - "smithy.api#documentation": "

An array of OptedOutNumbersInformation objects that provide information about the\n requested OptedOutNumbers.

" + "smithy.api#documentation": "

An array of OptedOutNumbersInformation objects that provide information about the requested OptedOutNumbers.

" } }, "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty\n then there are no more results.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

" } } }, @@ -4055,7 +4058,7 @@ } ], "traits": { - "smithy.api#documentation": "

Describes the specified origination phone number, or all the phone numbers in your\n account.

\n

If you specify phone number IDs, the output includes information for only the\n specified phone numbers. If you specify filters, the output includes information for\n only those phone numbers that meet the filter criteria. If you don't specify phone\n number IDs or filters, the output includes information for all phone numbers.

\n

If you specify a phone number ID that isn't valid, an error is returned.

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

Describes the specified origination phone number, or all the phone numbers in your account.

If you specify phone number IDs, the output includes information for only the specified phone numbers. If you specify filters, the output includes information for only those phone numbers that meet the filter criteria. If you don't specify phone number IDs or filters, the output includes information for all phone numbers.

If you specify a phone number ID that isn't valid, an error is returned.

", "smithy.api#paginated": { "items": "PhoneNumbers" } @@ -4067,7 +4070,7 @@ "PhoneNumberIds": { "target": "com.amazonaws.pinpointsmsvoicev2#PhoneNumberIdList", "traits": { - "smithy.api#documentation": "

The unique identifier of phone numbers to find information about. This is an array of\n strings that can be either the PhoneNumberId or PhoneNumberArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The unique identifier of phone numbers to find information about. This is an array of strings that can be either the PhoneNumberId or PhoneNumberArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

" } }, "Filters": { @@ -4079,7 +4082,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -4105,13 +4108,13 @@ "PhoneNumbers": { "target": "com.amazonaws.pinpointsmsvoicev2#PhoneNumberInformationList", "traits": { - "smithy.api#documentation": "

An array of PhoneNumberInformation objects that contain the details for the requested\n phone numbers.

" + "smithy.api#documentation": "

An array of PhoneNumberInformation objects that contain the details for the requested phone numbers.

" } }, "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty\n then there are no more results.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

" } } }, @@ -4145,7 +4148,7 @@ } ], "traits": { - "smithy.api#documentation": "

Retrieves the specified pools or all pools associated with your Amazon Web Services\n account.

\n

If you specify pool IDs, the output includes information for only the specified pools.\n If you specify filters, the output includes information for only those pools that meet\n the filter criteria. If you don't specify pool IDs or filters, the output includes\n information for all pools.

\n

If you specify a pool ID that isn't valid, an error is returned.

\n

A pool is a collection of phone numbers and SenderIds. A pool can include one or more\n phone numbers and SenderIds that are associated with your Amazon Web Services\n account.

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

Retrieves the specified pools or all pools associated with your Amazon Web Services account.

If you specify pool IDs, the output includes information for only the specified pools. If you specify filters, the output includes information for only those pools that meet the filter criteria. If you don't specify pool IDs or filters, the output includes information for all pools.

If you specify a pool ID that isn't valid, an error is returned.

A pool is a collection of phone numbers and SenderIds. A pool can include one or more phone numbers and SenderIds that are associated with your Amazon Web Services account.

", "smithy.api#paginated": { "items": "Pools" } @@ -4157,7 +4160,7 @@ "PoolIds": { "target": "com.amazonaws.pinpointsmsvoicev2#PoolIdList", "traits": { - "smithy.api#documentation": "

The unique identifier of pools to find. This is an array of strings that can be either\n the PoolId or PoolArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The unique identifier of pools to find. This is an array of strings that can be either the PoolId or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

" } }, "Filters": { @@ -4169,7 +4172,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -4201,7 +4204,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty\n then there are no more results.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

" } } }, @@ -4259,7 +4262,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -4285,7 +4288,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } } }, @@ -4343,7 +4346,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -4370,7 +4373,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } } }, @@ -4413,7 +4416,7 @@ "RegistrationType": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationType", "traits": { - "smithy.api#documentation": "

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions\n action.

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

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

", "smithy.api#required": {} } }, @@ -4432,7 +4435,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -4452,7 +4455,7 @@ "RegistrationType": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationType", "traits": { - "smithy.api#documentation": "

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions\n action.

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

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

", "smithy.api#required": {} } }, @@ -4466,7 +4469,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } } }, @@ -4537,7 +4540,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -4585,7 +4588,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } } }, @@ -4628,7 +4631,7 @@ "RegistrationType": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationType", "traits": { - "smithy.api#documentation": "

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions\n action.

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

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

", "smithy.api#required": {} } }, @@ -4641,7 +4644,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -4661,21 +4664,21 @@ "RegistrationType": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationType", "traits": { - "smithy.api#documentation": "

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions\n action.

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

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

", "smithy.api#required": {} } }, "RegistrationSectionDefinitions": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationSectionDefinitionList", "traits": { - "smithy.api#documentation": "

An array of RegistrationSectionDefinition objects.

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

An array of RegistrationSectionDefinition objects.

", "smithy.api#required": {} } }, "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } } }, @@ -4718,7 +4721,7 @@ "RegistrationTypes": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationTypeList", "traits": { - "smithy.api#documentation": "

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions\n action.

" + "smithy.api#documentation": "

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

" } }, "Filters": { @@ -4730,7 +4733,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -4750,14 +4753,14 @@ "RegistrationTypeDefinitions": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationTypeDefinitionList", "traits": { - "smithy.api#documentation": "

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions\n action.

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

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

", "smithy.api#required": {} } }, "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } } }, @@ -4822,7 +4825,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -4863,7 +4866,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } } }, @@ -4921,7 +4924,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -4948,7 +4951,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } } }, @@ -4982,7 +4985,7 @@ } ], "traits": { - "smithy.api#documentation": "

Describes the specified SenderIds or all SenderIds associated with your Amazon Web Services account.

\n

If you specify SenderIds, the output includes information for only the specified\n SenderIds. If you specify filters, the output includes information for only those\n SenderIds that meet the filter criteria. If you don't specify SenderIds or filters, the\n output includes information for all SenderIds.

\n

f you specify a sender ID that isn't valid, an error is returned.

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

Describes the specified SenderIds or all SenderIds associated with your Amazon Web Services account.

If you specify SenderIds, the output includes information for only the specified SenderIds. If you specify filters, the output includes information for only those SenderIds that meet the filter criteria. If you don't specify SenderIds or filters, the output includes information for all SenderIds.

f you specify a sender ID that isn't valid, an error is returned.

", "smithy.api#paginated": { "items": "SenderIds" } @@ -4994,7 +4997,7 @@ "SenderIds": { "target": "com.amazonaws.pinpointsmsvoicev2#SenderIdList", "traits": { - "smithy.api#documentation": "

An array of SenderIdAndCountry objects to search for.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

An array of SenderIdAndCountry objects to search for.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

" } }, "Filters": { @@ -5006,7 +5009,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -5032,13 +5035,13 @@ "SenderIds": { "target": "com.amazonaws.pinpointsmsvoicev2#SenderIdInformationList", "traits": { - "smithy.api#documentation": "

An array of SernderIdInformation objects that contain the details for the requested\n SenderIds.

" + "smithy.api#documentation": "

An array of SernderIdInformation objects that contain the details for the requested SenderIds.

" } }, "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty\n then there are no more results.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

" } } }, @@ -5069,7 +5072,7 @@ } ], "traits": { - "smithy.api#documentation": "

Describes the current monthly spend limits for sending voice and\n text messages.

\n

When you establish an Amazon Web Services account, the account has initial monthly\n spend limit in a given Region. For more information on increasing your monthly spend\n limit, see \n Requesting increases to your monthly SMS, MMS, or Voice spending quota\n in the AWS End User Messaging SMS User Guide.

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

Describes the current monthly spend limits for sending voice and text messages.

When you establish an Amazon Web Services account, the account has initial monthly spend limit in a given Region. For more information on increasing your monthly spend limit, see Requesting increases to your monthly SMS, MMS, or Voice spending quota in the AWS End User Messaging SMS User Guide.

", "smithy.api#paginated": { "items": "SpendLimits" } @@ -5081,7 +5084,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -5101,13 +5104,13 @@ "SpendLimits": { "target": "com.amazonaws.pinpointsmsvoicev2#SpendLimitList", "traits": { - "smithy.api#documentation": "

An array of SpendLimit objects that contain the details for the requested spend\n limits.

" + "smithy.api#documentation": "

An array of SpendLimit objects that contain the details for the requested spend limits.

" } }, "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty\n then there are no more results.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

" } } }, @@ -5171,7 +5174,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -5198,7 +5201,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } } }, @@ -5285,7 +5288,7 @@ } ], "traits": { - "smithy.api#documentation": "

Removes the specified origination identity from an existing pool.

\n

If the origination identity isn't associated with the specified pool, an error is\n returned.

" + "smithy.api#documentation": "

Removes the specified origination identity from an existing pool.

If the origination identity isn't associated with the specified pool, an error is returned.

" } }, "com.amazonaws.pinpointsmsvoicev2#DisassociateOriginationIdentityRequest": { @@ -5294,28 +5297,28 @@ "PoolId": { "target": "com.amazonaws.pinpointsmsvoicev2#PoolIdOrArn", "traits": { - "smithy.api#documentation": "

The unique identifier for the pool to disassociate with the origination identity. This\n value can be either the PoolId or PoolArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The unique identifier for the pool to disassociate with the origination identity. This value can be either the PoolId or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } }, "OriginationIdentity": { "target": "com.amazonaws.pinpointsmsvoicev2#PhoneOrSenderIdOrArn", "traits": { - "smithy.api#documentation": "

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, SenderId or\n SenderIdArn. You can use DescribePhoneNumbers find the values for\n PhoneNumberId and PhoneNumberArn, or use DescribeSenderIds to get the\n values for SenderId and SenderIdArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, SenderId or SenderIdArn. You can use DescribePhoneNumbers find the values for PhoneNumberId and PhoneNumberArn, or use DescribeSenderIds to get the values for SenderId and SenderIdArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } }, "IsoCountryCode": { "target": "com.amazonaws.pinpointsmsvoicev2#IsoCountryCode", "traits": { - "smithy.api#documentation": "

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.\n

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

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

", "smithy.api#required": {} } }, "ClientToken": { "target": "com.amazonaws.pinpointsmsvoicev2#ClientToken", "traits": { - "smithy.api#documentation": "

Unique, case-sensitive identifier you provide to ensure the idempotency of the\n request. If you don't specify a client token, a randomly generated token is used for the\n request to ensure idempotency.

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

Unique, case-sensitive identifier you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

", "smithy.api#idempotencyToken": {} } } @@ -5354,7 +5357,7 @@ "IsoCountryCode": { "target": "com.amazonaws.pinpointsmsvoicev2#IsoCountryCode", "traits": { - "smithy.api#documentation": "

The two-character code, in ISO 3166-1 alpha-2 format, for the country or\n region.

" + "smithy.api#documentation": "

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

" } } }, @@ -5526,7 +5529,7 @@ "RegistrationVersionStatus": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationVersionStatus", "traits": { - "smithy.api#documentation": "

The status of the registration version.

\n
    \n
  • \n

    \n APPROVED: Your registration has been approved.

    \n
  • \n
  • \n

    \n ARCHIVED: Your previously approved registration version moves into this status when a more recently submitted version is approved.

    \n
  • \n
  • \n

    \n DENIED: You must fix your registration and resubmit it.

    \n
  • \n
  • \n

    \n DISCARDED: You've abandon this version of their registration to start over with a new version.

    \n
  • \n
  • \n

    \n DRAFT: The initial status of a registration version after it’s created.

    \n
  • \n
  • \n

    \n REQUIRES_AUTHENTICATION: You need to complete email authentication.

    \n
  • \n
  • \n

    \n REVIEWING: Your registration has been accepted and is being reviewed.

    \n
  • \n
  • \n

    \n REVOKED: Your previously approved registration has been revoked.

    \n
  • \n
  • \n

    \n SUBMITTED: Your registration has been submitted.

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

The status of the registration version.

  • APPROVED: Your registration has been approved.

  • ARCHIVED: Your previously approved registration version moves into this status when a more recently submitted version is approved.

  • DENIED: You must fix your registration and resubmit it.

  • DISCARDED: You've abandon this version of their registration to start over with a new version.

  • DRAFT: The initial status of a registration version after it’s created.

  • REQUIRES_AUTHENTICATION: You need to complete email authentication.

  • REVIEWING: Your registration has been accepted and is being reviewed.

  • REVOKED: Your previously approved registration has been revoked.

  • SUBMITTED: Your registration has been submitted.

", "smithy.api#required": {} } }, @@ -5562,14 +5565,14 @@ "MatchingEventTypes": { "target": "com.amazonaws.pinpointsmsvoicev2#EventTypeList", "traits": { - "smithy.api#documentation": "

An array of event types that determine which events to log.

\n \n

The TEXT_SENT event type is not supported.

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

An array of event types that determine which events to log.

The TEXT_SENT event type is not supported.

", "smithy.api#required": {} } }, "CloudWatchLogsDestination": { "target": "com.amazonaws.pinpointsmsvoicev2#CloudWatchLogsDestination", "traits": { - "smithy.api#documentation": "

An object that contains information about an event destination that sends logging\n events to Amazon CloudWatch logs.

" + "smithy.api#documentation": "

An object that contains information about an event destination that sends logging events to Amazon CloudWatch logs.

" } }, "KinesisFirehoseDestination": { @@ -5581,12 +5584,12 @@ "SnsDestination": { "target": "com.amazonaws.pinpointsmsvoicev2#SnsDestination", "traits": { - "smithy.api#documentation": "

An object that contains information about an event destination that sends logging\n events to Amazon SNS.

" + "smithy.api#documentation": "

An object that contains information about an event destination that sends logging events to Amazon SNS.

" } } }, "traits": { - "smithy.api#documentation": "

Contains information about an event destination.

\n

Event destinations are associated with configuration sets, which enable you to publish\n message sending events to CloudWatch, Firehose, or Amazon SNS.

" + "smithy.api#documentation": "

Contains information about an event destination.

Event destinations are associated with configuration sets, which enable you to publish message sending events to CloudWatch, Firehose, or Amazon SNS.

" } }, "com.amazonaws.pinpointsmsvoicev2#EventDestinationList": { @@ -5955,7 +5958,7 @@ "CountryRuleSet": { "target": "com.amazonaws.pinpointsmsvoicev2#ProtectConfigurationCountryRuleSet", "traits": { - "smithy.api#documentation": "

A map of ProtectConfigurationCountryRuleSetInformation objects that contain the\n details for the requested NumberCapability. The Key is the two-letter ISO country code. For a list of supported ISO country codes, see Supported countries and regions (SMS channel) in the AWS End User Messaging SMS User Guide.

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

A map of ProtectConfigurationCountryRuleSetInformation objects that contain the details for the requested NumberCapability. The Key is the two-letter ISO country code. For a list of supported ISO country codes, see Supported countries and regions (SMS channel) in the AWS End User Messaging SMS User Guide.

", "smithy.api#required": {} } } @@ -6058,7 +6061,7 @@ } }, "traits": { - "smithy.api#documentation": "

The API encountered an unexpected error and couldn't complete the request. You might\n be able to successfully issue the request again in the future.

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

The API encountered an unexpected error and couldn't complete the request. You might be able to successfully issue the request again in the future.

", "smithy.api#error": "server", "smithy.api#retryable": {} } @@ -6208,7 +6211,7 @@ "IamRoleArn": { "target": "com.amazonaws.pinpointsmsvoicev2#IamRoleArn", "traits": { - "smithy.api#documentation": "

The ARN of an Identity and Access Management role that is able to write\n event data to an Amazon Data Firehose destination.

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

The ARN of an Identity and Access Management role that is able to write event data to an Amazon Data Firehose destination.

", "smithy.api#required": {} } }, @@ -6221,7 +6224,7 @@ } }, "traits": { - "smithy.api#documentation": "

Contains the delivery stream Amazon Resource Name (ARN), and the ARN of the Identity and Access Management (IAM) role associated with a Firehose event\n destination.

\n

Event destinations, such as Firehose, are associated with configuration\n sets, which enable you to publish message sending events.

" + "smithy.api#documentation": "

Contains the delivery stream Amazon Resource Name (ARN), and the ARN of the Identity and Access Management (IAM) role associated with a Firehose event destination.

Event destinations, such as Firehose, are associated with configuration sets, which enable you to publish message sending events.

" } }, "com.amazonaws.pinpointsmsvoicev2#LanguageCode": { @@ -6309,7 +6312,7 @@ } ], "traits": { - "smithy.api#documentation": "

Lists all associated origination identities in your pool.

\n

If you specify filters, the output includes information for only those origination\n identities that meet the filter criteria.

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

Lists all associated origination identities in your pool.

If you specify filters, the output includes information for only those origination identities that meet the filter criteria.

", "smithy.api#paginated": { "items": "OriginationIdentities" } @@ -6321,7 +6324,7 @@ "PoolId": { "target": "com.amazonaws.pinpointsmsvoicev2#PoolIdOrArn", "traits": { - "smithy.api#documentation": "

The unique identifier for the pool. This value can be either the PoolId or\n PoolArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The unique identifier for the pool. This value can be either the PoolId or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } }, @@ -6334,7 +6337,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -6372,7 +6375,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty\n then there are no more results.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. If this field is empty then there are no more results.

" } } }, @@ -6443,7 +6446,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -6483,7 +6486,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } } }, @@ -6542,7 +6545,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } }, "MaxResults": { @@ -6576,7 +6579,7 @@ "RegistrationType": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationType", "traits": { - "smithy.api#documentation": "

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions\n action.

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

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

", "smithy.api#required": {} } }, @@ -6590,7 +6593,7 @@ "NextToken": { "target": "com.amazonaws.pinpointsmsvoicev2#NextToken", "traits": { - "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a\n value for this field in the initial request.

" + "smithy.api#documentation": "

The token to be used for the next set of paginated results. You don't need to supply a value for this field in the initial request.

" } } }, @@ -7067,14 +7070,14 @@ "IsoCountryCode": { "target": "com.amazonaws.pinpointsmsvoicev2#IsoCountryCode", "traits": { - "smithy.api#documentation": "

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.\n

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

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

", "smithy.api#required": {} } }, "NumberCapabilities": { "target": "com.amazonaws.pinpointsmsvoicev2#NumberCapabilityList", "traits": { - "smithy.api#documentation": "

Describes if the origination identity can be used for text messages, voice calls or\n both.

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

Describes if the origination identity can be used for text messages, voice calls or both.

", "smithy.api#required": {} } }, @@ -7254,21 +7257,21 @@ "IsoCountryCode": { "target": "com.amazonaws.pinpointsmsvoicev2#IsoCountryCode", "traits": { - "smithy.api#documentation": "

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.\n

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

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

", "smithy.api#required": {} } }, "MessageType": { "target": "com.amazonaws.pinpointsmsvoicev2#MessageType", "traits": { - "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or\n time-sensitive and PROMOTIONAL for messages that aren't critical or\n time-sensitive.

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

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

", "smithy.api#required": {} } }, "NumberCapabilities": { "target": "com.amazonaws.pinpointsmsvoicev2#NumberCapabilityList", "traits": { - "smithy.api#documentation": "

Describes if the origination identity can be used for text messages, voice calls or\n both.

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

Describes if the origination identity can be used for text messages, voice calls or both.

", "smithy.api#required": {} } }, @@ -7290,7 +7293,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text\n messages from your end recipients using the TwoWayChannelArn.

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

By default this is set to false. When set to true you can receive incoming text messages from your end recipients using the TwoWayChannelArn.

", "smithy.api#required": {} } }, @@ -7310,7 +7313,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

When set to false an end recipient sends a message that begins with HELP or STOP to\n one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a\n customizable message and adds the end recipient to the OptOutList. When set to true\n you're responsible for responding to HELP and STOP requests. You're also responsible for\n tracking and honoring opt-out request. For more information see Self-managed opt-outs\n

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

When set to false an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out request. For more information see Self-managed opt-outs

", "smithy.api#required": {} } }, @@ -7664,7 +7667,7 @@ "name": "sms-voice" }, "aws.protocols#awsJson1_0": {}, - "smithy.api#documentation": "

Welcome to the AWS End User Messaging SMS and Voice, version 2 API Reference.\n This guide provides information about AWS End User Messaging SMS and Voice, version 2 API\n resources, including supported HTTP methods, parameters, and schemas.

\n

Amazon Pinpoint is an Amazon Web Services service that you can use to engage with\n your recipients across multiple messaging channels. The AWS End User Messaging SMS and Voice, version 2 API provides programmatic access to options that are unique to the SMS\n and voice channels. AWS End User Messaging SMS and Voice, version 2 resources such as phone numbers, sender IDs, and opt-out lists can be used by the Amazon Pinpoint API.

\n

If you're new to AWS End User Messaging SMS and Voice, it's also helpful to review the \n AWS End User Messaging SMS User Guide. The AWS End User Messaging SMS User Guide\n provides tutorials, code samples, and procedures that\n demonstrate how to use AWS End User Messaging SMS and Voice features programmatically and how to integrate\n functionality into mobile apps and other types of applications.\n The guide also provides key information, such as AWS End User Messaging SMS and Voice integration with\n other Amazon Web Services services, and the quotas that apply to use of the\n service.

\n

\n Regional availability\n

\n

The AWS End User Messaging SMS and Voice version 2 API Reference is\n available in several Amazon Web Services Regions and it provides an endpoint for each of\n these Regions. For a list of all the Regions and endpoints where the API is currently\n available, see Amazon Web Services Service Endpoints and Amazon Pinpoint\n endpoints and quotas in the Amazon Web Services General Reference. To\n learn more about Amazon Web Services Regions, see Managing\n Amazon Web Services Regions in the Amazon Web Services General\n Reference.

\n

In each Region, Amazon Web Services maintains multiple Availability Zones. These\n Availability Zones are physically isolated from each other, but are united by private,\n low-latency, high-throughput, and highly redundant network connections. These\n Availability Zones enable us to provide very high levels of availability and redundancy,\n while also minimizing latency. To learn more about the number of Availability Zones that\n are available in each Region, see Amazon Web Services\n Global Infrastructure.\n

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

Welcome to the AWS End User Messaging SMS and Voice, version 2 API Reference. This guide provides information about AWS End User Messaging SMS and Voice, version 2 API resources, including supported HTTP methods, parameters, and schemas.

Amazon Pinpoint is an Amazon Web Services service that you can use to engage with your recipients across multiple messaging channels. The AWS End User Messaging SMS and Voice, version 2 API provides programmatic access to options that are unique to the SMS and voice channels. AWS End User Messaging SMS and Voice, version 2 resources such as phone numbers, sender IDs, and opt-out lists can be used by the Amazon Pinpoint API.

If you're new to AWS End User Messaging SMS and Voice, it's also helpful to review the AWS End User Messaging SMS User Guide. The AWS End User Messaging SMS User Guide provides tutorials, code samples, and procedures that demonstrate how to use AWS End User Messaging SMS and Voice features programmatically and how to integrate functionality into mobile apps and other types of applications. The guide also provides key information, such as AWS End User Messaging SMS and Voice integration with other Amazon Web Services services, and the quotas that apply to use of the service.

Regional availability

The AWS End User Messaging SMS and Voice version 2 API Reference is available in several Amazon Web Services Regions and it provides an endpoint for each of these Regions. For a list of all the Regions and endpoints where the API is currently available, see Amazon Web Services Service Endpoints and Amazon Pinpoint endpoints and quotas in the Amazon Web Services General Reference. To learn more about Amazon Web Services Regions, see Managing Amazon Web Services Regions in the Amazon Web Services General Reference.

In each Region, Amazon Web Services maintains multiple Availability Zones. These Availability Zones are physically isolated from each other, but are united by private, low-latency, high-throughput, and highly redundant network connections. These Availability Zones enable us to provide very high levels of availability and redundancy, while also minimizing latency. To learn more about the number of Availability Zones that are available in each Region, see Amazon Web Services Global Infrastructure.

", "smithy.api#paginated": { "inputToken": "NextToken", "outputToken": "NextToken", @@ -8551,7 +8554,7 @@ "MessageType": { "target": "com.amazonaws.pinpointsmsvoicev2#MessageType", "traits": { - "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or\n time-sensitive and PROMOTIONAL for messages that aren't critical or\n time-sensitive.

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

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

", "smithy.api#required": {} } }, @@ -8559,7 +8562,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

When set to true you can receive incoming text messages from your end recipients using\n the TwoWayChannelArn.

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

When set to true you can receive incoming text messages from your end recipients using the TwoWayChannelArn.

", "smithy.api#required": {} } }, @@ -8579,7 +8582,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

When set to false, an end recipient sends a message that begins with HELP or STOP to\n one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a\n customizable message and adds the end recipient to the OptOutList. When set to true\n you're responsible for responding to HELP and STOP requests. You're also responsible for\n tracking and honoring opt-out requests. For more information see Self-managed opt-outs\n

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

When set to false, an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out requests. For more information see Self-managed opt-outs

", "smithy.api#required": {} } }, @@ -8594,7 +8597,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

Allows you to enable shared routes on your pool.

\n

By default, this is set to False. If you set this value to\n True, your messages are sent using phone numbers or sender IDs\n (depending on the country) that are shared with other users. In some\n countries, such as the United States, senders aren't allowed to use shared routes and\n must use a dedicated phone number or short code.

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

Allows you to enable shared routes on your pool.

By default, this is set to False. If you set this value to True, your messages are sent using phone numbers or sender IDs (depending on the country) that are shared with other users. In some countries, such as the United States, senders aren't allowed to use shared routes and must use a dedicated phone number or short code.

", "smithy.api#required": {} } }, @@ -8643,7 +8646,7 @@ } }, "traits": { - "smithy.api#documentation": "

Information about origination identities associated with a pool that meets a specified\n criteria.

" + "smithy.api#documentation": "

Information about origination identities associated with a pool that meets a specified criteria.

" } }, "com.amazonaws.pinpointsmsvoicev2#PoolOriginationIdentitiesFilterList": { @@ -8846,7 +8849,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

The status of deletion protection for the protect configuration. When set to true deletion protection is enabled. By default this is set to false.\n

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

The status of deletion protection for the protect configuration. When set to true deletion protection is enabled. By default this is set to false.

", "smithy.api#required": {} } } @@ -8920,7 +8923,7 @@ } }, "traits": { - "smithy.api#documentation": "

Provides details on a RuleSetNumberOverride.

" + "smithy.api#documentation": "

Provides details on phone number rule overrides for a protect configuration.

" } }, "com.amazonaws.pinpointsmsvoicev2#ProtectConfigurationRuleSetNumberOverrideFilterItem": { @@ -9003,6 +9006,14 @@ { "value": "BLOCK", "name": "BLOCK" + }, + { + "value": "MONITOR", + "name": "MONITOR" + }, + { + "value": "FILTER", + "name": "FILTER" } ] } @@ -9039,7 +9050,7 @@ } ], "traits": { - "smithy.api#documentation": "

Creates or updates a keyword configuration on an origination phone number or\n pool.

\n

A keyword is a word that you can search for on a particular phone number or pool. It\n is also a specific word or phrase that an end user can send to your number to elicit a\n response, such as an informational message or a special offer. When your number receives\n a message that begins with a keyword, AWS End User Messaging SMS and Voice responds with a customizable\n message.

\n

If you specify a keyword that isn't valid, an error is returned.

" + "smithy.api#documentation": "

Creates or updates a keyword configuration on an origination phone number or pool.

A keyword is a word that you can search for on a particular phone number or pool. It is also a specific word or phrase that an end user can send to your number to elicit a response, such as an informational message or a special offer. When your number receives a message that begins with a keyword, AWS End User Messaging SMS and Voice responds with a customizable message.

If you specify a keyword that isn't valid, an error is returned.

" } }, "com.amazonaws.pinpointsmsvoicev2#PutKeywordRequest": { @@ -9048,7 +9059,7 @@ "OriginationIdentity": { "target": "com.amazonaws.pinpointsmsvoicev2#PhoneOrPoolIdOrArn", "traits": { - "smithy.api#documentation": "

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, SenderId or\n SenderIdArn. You can use DescribePhoneNumbers get the values for\n PhoneNumberId and PhoneNumberArn while DescribeSenderIds can be used\n to get the values for SenderId and SenderIdArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The origination identity to use such as a PhoneNumberId, PhoneNumberArn, SenderId or SenderIdArn. You can use DescribePhoneNumbers get the values for PhoneNumberId and PhoneNumberArn while DescribeSenderIds can be used to get the values for SenderId and SenderIdArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } }, @@ -9069,7 +9080,7 @@ "KeywordAction": { "target": "com.amazonaws.pinpointsmsvoicev2#KeywordAction", "traits": { - "smithy.api#documentation": "

The action to perform for the new keyword when it is received.

\n
    \n
  • \n

    AUTOMATIC_RESPONSE: A message is sent to the recipient.

    \n
  • \n
  • \n

    OPT_OUT: Keeps the recipient from receiving future messages.

    \n
  • \n
  • \n

    OPT_IN: The recipient wants to receive future messages.

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

The action to perform for the new keyword when it is received.

  • AUTOMATIC_RESPONSE: A message is sent to the recipient.

  • OPT_OUT: Keeps the recipient from receiving future messages.

  • OPT_IN: The recipient wants to receive future messages.

" } } }, @@ -9141,7 +9152,7 @@ } ], "traits": { - "smithy.api#documentation": "

Set the MessageFeedbackStatus as RECEIVED or FAILED for the\n passed in MessageId.

\n

If you use message feedback then you must update message feedback record. When you receive a signal that a user has received the message you must use\n PutMessageFeedback to set the message feedback record as\n RECEIVED; Otherwise, an hour after the message feedback record is set\n to FAILED.

" + "smithy.api#documentation": "

Set the MessageFeedbackStatus as RECEIVED or FAILED for the passed in MessageId.

If you use message feedback then you must update message feedback record. When you receive a signal that a user has received the message you must use PutMessageFeedback to set the message feedback record as RECEIVED; Otherwise, an hour after the message feedback record is set to FAILED.

" } }, "com.amazonaws.pinpointsmsvoicev2#PutMessageFeedbackRequest": { @@ -9214,7 +9225,7 @@ } ], "traits": { - "smithy.api#documentation": "

Creates an opted out destination phone number in the opt-out list.

\n

If the destination phone number isn't valid or if the specified opt-out list doesn't\n exist, an error is returned.

" + "smithy.api#documentation": "

Creates an opted out destination phone number in the opt-out list.

If the destination phone number isn't valid or if the specified opt-out list doesn't exist, an error is returned.

" } }, "com.amazonaws.pinpointsmsvoicev2#PutOptedOutNumberRequest": { @@ -9223,7 +9234,7 @@ "OptOutListName": { "target": "com.amazonaws.pinpointsmsvoicev2#OptOutListNameOrArn", "traits": { - "smithy.api#documentation": "

The OptOutListName or OptOutListArn to add the phone number to.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The OptOutListName or OptOutListArn to add the phone number to.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } }, @@ -9270,7 +9281,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

This is true if it was the end user who requested their phone number be removed.\n

" + "smithy.api#documentation": "

This is true if it was the end user who requested their phone number be removed.

" } } }, @@ -9307,7 +9318,7 @@ } ], "traits": { - "smithy.api#documentation": "

Create or update a RuleSetNumberOverride and associate it with a protect configuration.

" + "smithy.api#documentation": "

Create or update a phone number rule override and associate it with a protect configuration.

" } }, "com.amazonaws.pinpointsmsvoicev2#PutProtectConfigurationRuleSetNumberOverrideRequest": { @@ -9316,7 +9327,7 @@ "ClientToken": { "target": "com.amazonaws.pinpointsmsvoicev2#ClientToken", "traits": { - "smithy.api#documentation": "

Unique, case-sensitive identifier that you provide to ensure the idempotency of the\n request. If you don't specify a client token, a randomly generated token is used for the\n request to ensure idempotency.

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

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

", "smithy.api#idempotencyToken": {} } }, @@ -9559,7 +9570,7 @@ } ], "traits": { - "smithy.api#documentation": "

Attaches a resource-based policy to a AWS End User Messaging SMS and Voice resource(phone number, sender Id, phone poll, or opt-out list) that is used for\n sharing the resource. A shared resource can be a Pool, Opt-out list, Sender Id, or Phone number. For more information about\n resource-based policies, see Working with shared resources in the AWS End User Messaging SMS User Guide.

" + "smithy.api#documentation": "

Attaches a resource-based policy to a AWS End User Messaging SMS and Voice resource(phone number, sender Id, phone poll, or opt-out list) that is used for sharing the resource. A shared resource can be a Pool, Opt-out list, Sender Id, or Phone number. For more information about resource-based policies, see Working with shared resources in the AWS End User Messaging SMS User Guide.

" } }, "com.amazonaws.pinpointsmsvoicev2#PutResourcePolicyRequest": { @@ -9809,7 +9820,7 @@ "AttachmentStatus": { "target": "com.amazonaws.pinpointsmsvoicev2#AttachmentStatus", "traits": { - "smithy.api#documentation": "

The status of the registration attachment.

\n
    \n
  • \n

    \n UPLOAD_IN_PROGRESS The attachment is being uploaded.

    \n
  • \n
  • \n

    \n UPLOAD_COMPLETE The attachment has been uploaded.

    \n
  • \n
  • \n

    \n UPLOAD_FAILED The attachment failed to uploaded.

    \n
  • \n
  • \n

    \n DELETED The attachment has been deleted..

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

The status of the registration attachment.

  • UPLOAD_IN_PROGRESS The attachment is being uploaded.

  • UPLOAD_COMPLETE The attachment has been uploaded.

  • UPLOAD_FAILED The attachment failed to uploaded.

  • DELETED The attachment has been deleted..

", "smithy.api#required": {} } }, @@ -10155,14 +10166,14 @@ "RegistrationType": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationType", "traits": { - "smithy.api#documentation": "

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions\n action.

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

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

", "smithy.api#required": {} } }, "RegistrationStatus": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationStatus", "traits": { - "smithy.api#documentation": "

The status of the registration.

\n
    \n
  • \n

    \n CLOSED: The phone number or sender ID has been deleted and you must also delete the registration for the number.

    \n
  • \n
  • \n

    \n CREATED: Your registration is created but not submitted.

    \n
  • \n
  • \n

    \n COMPLETE: Your registration has been approved and your origination identity has been created.

    \n
  • \n
  • \n

    \n DELETED: The registration has been deleted.

    \n
  • \n
  • \n

    \n PROVISIONING: Your registration has been approved and your origination identity is being created.

    \n
  • \n
  • \n

    \n REQUIRES_AUTHENTICATION: You need to complete email authentication.

    \n
  • \n
  • \n

    \n REQUIRES_UPDATES: You must fix your registration and resubmit it.

    \n
  • \n
  • \n

    \n REVIEWING: Your registration has been accepted and is being reviewed.

    \n
  • \n
  • \n

    \n SUBMITTED: Your registration has been submitted and is awaiting review.

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

The status of the registration.

  • CLOSED: The phone number or sender ID has been deleted and you must also delete the registration for the number.

  • CREATED: Your registration is created but not submitted.

  • COMPLETE: Your registration has been approved and your origination identity has been created.

  • DELETED: The registration has been deleted.

  • PROVISIONING: Your registration has been approved and your origination identity is being created.

  • REQUIRES_AUTHENTICATION: You need to complete email authentication.

  • REQUIRES_UPDATES: You must fix your registration and resubmit it.

  • REVIEWING: Your registration has been accepted and is being reviewed.

  • SUBMITTED: Your registration has been submitted and is awaiting review.

", "smithy.api#required": {} } }, @@ -10336,7 +10347,7 @@ "RegistrationType": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationType", "traits": { - "smithy.api#documentation": "

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions\n action.

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

The type of registration form. The list of RegistrationTypes can be found using the DescribeRegistrationTypeDefinitions action.

", "smithy.api#required": {} } }, @@ -10519,7 +10530,7 @@ "RegistrationVersionStatus": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationVersionStatus", "traits": { - "smithy.api#documentation": "

The status of the registration.

\n
    \n
  • \n

    \n APPROVED: Your registration has been approved.

    \n
  • \n
  • \n

    \n ARCHIVED: Your previously approved registration version moves into this status when a more recently submitted version is approved.

    \n
  • \n
  • \n

    \n DENIED: You must fix your registration and resubmit it.

    \n
  • \n
  • \n

    \n DISCARDED: You've abandon this version of their registration to start over with a new version.

    \n
  • \n
  • \n

    \n DRAFT: The initial status of a registration version after it’s created.

    \n
  • \n
  • \n

    \n REQUIRES_AUTHENTICATION: You need to complete email authentication.

    \n
  • \n
  • \n

    \n REVIEWING: Your registration has been accepted and is being reviewed.

    \n
  • \n
  • \n

    \n REVOKED: Your previously approved registration has been revoked.

    \n
  • \n
  • \n

    \n SUBMITTED: Your registration has been submitted.

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

The status of the registration.

  • APPROVED: Your registration has been approved.

  • ARCHIVED: Your previously approved registration version moves into this status when a more recently submitted version is approved.

  • DENIED: You must fix your registration and resubmit it.

  • DISCARDED: You've abandon this version of their registration to start over with a new version.

  • DRAFT: The initial status of a registration version after it’s created.

  • REQUIRES_AUTHENTICATION: You need to complete email authentication.

  • REVIEWING: Your registration has been accepted and is being reviewed.

  • REVOKED: Your previously approved registration has been revoked.

  • SUBMITTED: Your registration has been submitted.

", "smithy.api#required": {} } }, @@ -10702,7 +10713,7 @@ } ], "traits": { - "smithy.api#documentation": "

Releases an existing origination phone number in your account. Once released, a phone\n number is no longer available for sending messages.

\n

If the origination phone number has deletion protection enabled or is associated with\n a pool, an error is returned.

" + "smithy.api#documentation": "

Releases an existing origination phone number in your account. Once released, a phone number is no longer available for sending messages.

If the origination phone number has deletion protection enabled or is associated with a pool, an error is returned.

" } }, "com.amazonaws.pinpointsmsvoicev2#ReleasePhoneNumberRequest": { @@ -10711,7 +10722,7 @@ "PhoneNumberId": { "target": "com.amazonaws.pinpointsmsvoicev2#PhoneNumberIdOrArn", "traits": { - "smithy.api#documentation": "

The PhoneNumberId or PhoneNumberArn of the phone number to release. You can use DescribePhoneNumbers to get the values for PhoneNumberId and\n PhoneNumberArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The PhoneNumberId or PhoneNumberArn of the phone number to release. You can use DescribePhoneNumbers to get the values for PhoneNumberId and PhoneNumberArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } } @@ -10750,7 +10761,7 @@ "IsoCountryCode": { "target": "com.amazonaws.pinpointsmsvoicev2#IsoCountryCode", "traits": { - "smithy.api#documentation": "

The two-character code, in ISO 3166-1 alpha-2 format, for the country or\n region.

" + "smithy.api#documentation": "

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

" } }, "MessageType": { @@ -10781,7 +10792,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text\n messages from your end recipients.

" + "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text messages from your end recipients.

" } }, "TwoWayChannelArn": { @@ -10800,7 +10811,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

By default this is set to false. When an end recipient sends a message that begins\n with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically\n replies with a customizable message and adds the end recipient to the OptOutList. When\n set to true you're responsible for responding to HELP and STOP requests. You're also\n responsible for tracking and honoring opt-out requests.

" + "smithy.api#documentation": "

By default this is set to false. When an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out requests.

" } }, "OptOutListName": { @@ -10907,7 +10918,7 @@ "MessageTypes": { "target": "com.amazonaws.pinpointsmsvoicev2#MessageTypeList", "traits": { - "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or\n time-sensitive and PROMOTIONAL for messages that aren't critical or\n time-sensitive.

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

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

", "smithy.api#required": {} } }, @@ -10969,7 +10980,7 @@ } ], "traits": { - "smithy.api#documentation": "

Request an origination phone number for use in your account. For more information on\n phone number request see Request a phone number in the AWS End User Messaging SMS User Guide.

" + "smithy.api#documentation": "

Request an origination phone number for use in your account. For more information on phone number request see Request a phone number in the AWS End User Messaging SMS User Guide.

" } }, "com.amazonaws.pinpointsmsvoicev2#RequestPhoneNumberRequest": { @@ -10978,14 +10989,14 @@ "IsoCountryCode": { "target": "com.amazonaws.pinpointsmsvoicev2#IsoCountryCode", "traits": { - "smithy.api#documentation": "

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.\n

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

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

", "smithy.api#required": {} } }, "MessageType": { "target": "com.amazonaws.pinpointsmsvoicev2#MessageType", "traits": { - "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or\n time-sensitive and PROMOTIONAL for messages that aren't critical or\n time-sensitive.

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

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

", "smithy.api#required": {} } }, @@ -10999,44 +11010,44 @@ "NumberType": { "target": "com.amazonaws.pinpointsmsvoicev2#RequestableNumberType", "traits": { - "smithy.api#documentation": "

The type of phone number to request.

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

The type of phone number to request.

When you request a SIMULATOR phone number, you must set MessageType as TRANSACTIONAL.

", "smithy.api#required": {} } }, "OptOutListName": { "target": "com.amazonaws.pinpointsmsvoicev2#OptOutListNameOrArn", "traits": { - "smithy.api#documentation": "

The name of the OptOutList to associate with the phone number. You can use the\n OptOutListName or OptOutListArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The name of the OptOutList to associate with the phone number. You can use the OptOutListName or OptOutListArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

" } }, "PoolId": { "target": "com.amazonaws.pinpointsmsvoicev2#PoolIdOrArn", "traits": { - "smithy.api#documentation": "

The pool to associated with the phone number. You can use the PoolId or PoolArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The pool to associated with the phone number. You can use the PoolId or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

" } }, "RegistrationId": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationIdOrArn", "traits": { - "smithy.api#documentation": "

Use this field to attach your phone number for an external registration\n process.

" + "smithy.api#documentation": "

Use this field to attach your phone number for an external registration process.

" } }, "DeletionProtectionEnabled": { "target": "smithy.api#Boolean", "traits": { - "smithy.api#documentation": "

By default this is set to false. When set to true the phone number can't be\n deleted.

" + "smithy.api#documentation": "

By default this is set to false. When set to true the phone number can't be deleted.

" } }, "Tags": { "target": "com.amazonaws.pinpointsmsvoicev2#TagList", "traits": { - "smithy.api#documentation": "

An array of tags (key and value pairs) associate with the requested phone number.\n

" + "smithy.api#documentation": "

An array of tags (key and value pairs) associate with the requested phone number.

" } }, "ClientToken": { "target": "com.amazonaws.pinpointsmsvoicev2#ClientToken", "traits": { - "smithy.api#documentation": "

Unique, case-sensitive identifier that you provide to ensure the idempotency of the\n request. If you don't specify a client token, a randomly generated token is used for the\n request to ensure idempotency.

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

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

", "smithy.api#idempotencyToken": {} } } @@ -11075,19 +11086,19 @@ "IsoCountryCode": { "target": "com.amazonaws.pinpointsmsvoicev2#IsoCountryCode", "traits": { - "smithy.api#documentation": "

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.\n

" + "smithy.api#documentation": "

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

" } }, "MessageType": { "target": "com.amazonaws.pinpointsmsvoicev2#MessageType", "traits": { - "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or\n time-sensitive and PROMOTIONAL for messages that aren't critical or\n time-sensitive.

" + "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

" } }, "NumberCapabilities": { "target": "com.amazonaws.pinpointsmsvoicev2#NumberCapabilityList", "traits": { - "smithy.api#documentation": "

Indicates if the phone number will be used for text messages, voice messages or both.\n

" + "smithy.api#documentation": "

Indicates if the phone number will be used for text messages, voice messages or both.

" } }, "NumberType": { @@ -11106,7 +11117,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text\n messages from your end recipients.

" + "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text messages from your end recipients.

" } }, "TwoWayChannelArn": { @@ -11125,7 +11136,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

By default this is set to false. When an end recipient sends a message that begins\n with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically\n replies with a customizable message and adds the end recipient to the OptOutList. When\n set to true you're responsible for responding to HELP and STOP requests. You're also\n responsible for tracking and honoring opt-out requests.

" + "smithy.api#documentation": "

By default this is set to false. When an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out requests.

" } }, "OptOutListName": { @@ -11138,7 +11149,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

By default this is set to false. When set to true the phone number can't be deleted.\n

" + "smithy.api#documentation": "

By default this is set to false. When set to true the phone number can't be deleted.

" } }, "PoolId": { @@ -11222,7 +11233,7 @@ "MessageTypes": { "target": "com.amazonaws.pinpointsmsvoicev2#MessageTypeList", "traits": { - "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or\n time-sensitive and PROMOTIONAL for messages that aren't critical or\n time-sensitive.

" + "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

" } }, "DeletionProtectionEnabled": { @@ -11240,7 +11251,7 @@ "ClientToken": { "target": "com.amazonaws.pinpointsmsvoicev2#ClientToken", "traits": { - "smithy.api#documentation": "

Unique, case-sensitive identifier that you provide to ensure the idempotency of the\n request. If you don't specify a client token, a randomly generated token is used for the\n request to ensure idempotency.

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

Unique, case-sensitive identifier that you provide to ensure the idempotency of the request. If you don't specify a client token, a randomly generated token is used for the request to ensure idempotency.

", "smithy.api#idempotencyToken": {} } } @@ -11276,7 +11287,7 @@ "MessageTypes": { "target": "com.amazonaws.pinpointsmsvoicev2#MessageTypeList", "traits": { - "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or\n time-sensitive and PROMOTIONAL for messages that aren't critical or\n time-sensitive.

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

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

", "smithy.api#required": {} } }, @@ -11582,7 +11593,7 @@ } ], "traits": { - "smithy.api#documentation": "

Before you can send test messages to a verified destination phone number you need to\n opt-in the verified destination phone number. Creates a new text message with a\n verification code and send it to a verified destination phone number. Once you have the verification code use VerifyDestinationNumber to opt-in the verified destination phone number to receive messages.

" + "smithy.api#documentation": "

Before you can send test messages to a verified destination phone number you need to opt-in the verified destination phone number. Creates a new text message with a verification code and send it to a verified destination phone number. Once you have the verification code use VerifyDestinationNumber to opt-in the verified destination phone number to receive messages.

" } }, "com.amazonaws.pinpointsmsvoicev2#SendDestinationNumberVerificationCodeRequest": { @@ -11611,25 +11622,25 @@ "OriginationIdentity": { "target": "com.amazonaws.pinpointsmsvoicev2#VerificationMessageOriginationIdentity", "traits": { - "smithy.api#documentation": "

The origination identity of the message. This can be either the PhoneNumber,\n PhoneNumberId, PhoneNumberArn, SenderId, SenderIdArn, PoolId, or PoolArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The origination identity of the message. This can be either the PhoneNumber, PhoneNumberId, PhoneNumberArn, SenderId, SenderIdArn, PoolId, or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

" } }, "ConfigurationSetName": { "target": "com.amazonaws.pinpointsmsvoicev2#ConfigurationSetNameOrArn", "traits": { - "smithy.api#documentation": "

The name of the configuration set to use. This can be either the ConfigurationSetName\n or ConfigurationSetArn.

" + "smithy.api#documentation": "

The name of the configuration set to use. This can be either the ConfigurationSetName or ConfigurationSetArn.

" } }, "Context": { "target": "com.amazonaws.pinpointsmsvoicev2#ContextMap", "traits": { - "smithy.api#documentation": "

You can specify custom data in this field. If you do, that data is logged to the event\n destination.

" + "smithy.api#documentation": "

You can specify custom data in this field. If you do, that data is logged to the event destination.

" } }, "DestinationCountryParameters": { "target": "com.amazonaws.pinpointsmsvoicev2#DestinationCountryParameters", "traits": { - "smithy.api#documentation": "

This field is used for any country-specific registration requirements. Currently, this\n setting is only used when you send messages to recipients in India using a sender ID.\n For more information see Special requirements for sending SMS messages to recipients in India.\n

" + "smithy.api#documentation": "

This field is used for any country-specific registration requirements. Currently, this setting is only used when you send messages to recipients in India using a sender ID. For more information see Special requirements for sending SMS messages to recipients in India.

" } } }, @@ -11700,7 +11711,7 @@ "OriginationIdentity": { "target": "com.amazonaws.pinpointsmsvoicev2#MediaMessageOriginationIdentity", "traits": { - "smithy.api#documentation": "

The origination identity of the message. This can be either the PhoneNumber,\n PhoneNumberId, PhoneNumberArn, SenderId, SenderIdArn, PoolId, or PoolArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The origination identity of the message. This can be either the PhoneNumber, PhoneNumberId, PhoneNumberArn, SenderId, SenderIdArn, PoolId, or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } }, @@ -11713,13 +11724,13 @@ "MediaUrls": { "target": "com.amazonaws.pinpointsmsvoicev2#MediaUrlList", "traits": { - "smithy.api#documentation": "

An array of URLs to each media file to send.

\n

The media files have to be stored in a publicly available S3 bucket. Supported media file formats\n are listed in MMS file types, size and character limits. For more information on creating an S3 bucket and managing\n objects, see Creating a bucket and Uploading objects in the S3 user guide.

" + "smithy.api#documentation": "

An array of URLs to each media file to send.

The media files have to be stored in an S3 bucket. Supported media file formats are listed in MMS file types, size and character limits. For more information on creating an S3 bucket and managing objects, see Creating a bucket, Uploading objects in the Amazon S3 User Guide, and Setting up an Amazon S3 bucket for MMS files in the Amazon Web Services End User Messaging SMS User Guide.

" } }, "ConfigurationSetName": { "target": "com.amazonaws.pinpointsmsvoicev2#ConfigurationSetNameOrArn", "traits": { - "smithy.api#documentation": "

The name of the configuration set to use. This can be either the ConfigurationSetName\n or ConfigurationSetArn.

" + "smithy.api#documentation": "

The name of the configuration set to use. This can be either the ConfigurationSetName or ConfigurationSetArn.

" } }, "MaxPrice": { @@ -11737,14 +11748,14 @@ "Context": { "target": "com.amazonaws.pinpointsmsvoicev2#ContextMap", "traits": { - "smithy.api#documentation": "

You can specify custom data in this field. If you do, that data is logged to the event\n destination.

" + "smithy.api#documentation": "

You can specify custom data in this field. If you do, that data is logged to the event destination.

" } }, "DryRun": { "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

When set to true, the message is checked and validated, but isn't sent to the end\n recipient.

" + "smithy.api#documentation": "

When set to true, the message is checked and validated, but isn't sent to the end recipient.

" } }, "ProtectConfigurationId": { @@ -11810,7 +11821,7 @@ } ], "traits": { - "smithy.api#documentation": "

Creates a new text message and sends it to a recipient's phone number. SendTextMessage only sends an SMS message to one recipient each time it is invoked.

\n

SMS throughput limits are measured in Message Parts per Second (MPS). Your MPS limit\n depends on the destination country of your messages, as well as the type of phone number\n (origination number) that you use to send the message. For more information about MPS, see Message Parts per\n Second (MPS) limits in the AWS End User Messaging SMS User Guide.

" + "smithy.api#documentation": "

Creates a new text message and sends it to a recipient's phone number. SendTextMessage only sends an SMS message to one recipient each time it is invoked.

SMS throughput limits are measured in Message Parts per Second (MPS). Your MPS limit depends on the destination country of your messages, as well as the type of phone number (origination number) that you use to send the message. For more information about MPS, see Message Parts per Second (MPS) limits in the AWS End User Messaging SMS User Guide.

" } }, "com.amazonaws.pinpointsmsvoicev2#SendTextMessageRequest": { @@ -11826,7 +11837,7 @@ "OriginationIdentity": { "target": "com.amazonaws.pinpointsmsvoicev2#TextMessageOriginationIdentity", "traits": { - "smithy.api#documentation": "

The origination identity of the message. This can be either the PhoneNumber,\n PhoneNumberId, PhoneNumberArn, SenderId, SenderIdArn, PoolId, or PoolArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The origination identity of the message. This can be either the PhoneNumber, PhoneNumberId, PhoneNumberArn, SenderId, SenderIdArn, PoolId, or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

" } }, "MessageBody": { @@ -11838,19 +11849,19 @@ "MessageType": { "target": "com.amazonaws.pinpointsmsvoicev2#MessageType", "traits": { - "smithy.api#documentation": "

The type of message. Valid values are \n for messages that are critical or time-sensitive and PROMOTIONAL for messages that\n aren't critical or time-sensitive.

" + "smithy.api#documentation": "

The type of message. Valid values are for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

" } }, "Keyword": { "target": "com.amazonaws.pinpointsmsvoicev2#Keyword", "traits": { - "smithy.api#documentation": "

When you register a short code in the US, you must specify a program name. If you\n don’t have a US short code, omit this attribute.

" + "smithy.api#documentation": "

When you register a short code in the US, you must specify a program name. If you don’t have a US short code, omit this attribute.

" } }, "ConfigurationSetName": { "target": "com.amazonaws.pinpointsmsvoicev2#ConfigurationSetNameOrArn", "traits": { - "smithy.api#documentation": "

The name of the configuration set to use. This can be either the ConfigurationSetName\n or ConfigurationSetArn.

" + "smithy.api#documentation": "

The name of the configuration set to use. This can be either the ConfigurationSetName or ConfigurationSetArn.

" } }, "MaxPrice": { @@ -11868,20 +11879,20 @@ "Context": { "target": "com.amazonaws.pinpointsmsvoicev2#ContextMap", "traits": { - "smithy.api#documentation": "

You can specify custom data in this field. If you do, that data is logged to the event\n destination.

" + "smithy.api#documentation": "

You can specify custom data in this field. If you do, that data is logged to the event destination.

" } }, "DestinationCountryParameters": { "target": "com.amazonaws.pinpointsmsvoicev2#DestinationCountryParameters", "traits": { - "smithy.api#documentation": "

This field is used for any country-specific registration requirements. Currently, this\n setting is only used when you send messages to recipients in India using a sender ID.\n For more information see Special requirements for sending SMS messages to recipients in India.\n

\n
    \n
  • \n

    \n IN_ENTITY_ID The entity ID or Principal\n Entity (PE) ID that you received after completing the sender ID\n registration process.

    \n
  • \n
  • \n

    \n IN_TEMPLATE_ID The template ID that you\n received after completing the sender ID registration\n process.

    \n \n

    Make sure that the Template ID that you specify matches\n your message template exactly. If your message doesn't match\n the template that you provided during the registration\n process, the mobile carriers might reject your\n message.

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

This field is used for any country-specific registration requirements. Currently, this setting is only used when you send messages to recipients in India using a sender ID. For more information see Special requirements for sending SMS messages to recipients in India.

  • IN_ENTITY_ID The entity ID or Principal Entity (PE) ID that you received after completing the sender ID registration process.

  • IN_TEMPLATE_ID The template ID that you received after completing the sender ID registration process.

    Make sure that the Template ID that you specify matches your message template exactly. If your message doesn't match the template that you provided during the registration process, the mobile carriers might reject your message.

" } }, "DryRun": { "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

When set to true, the message is checked and validated, but isn't sent to the end\n recipient. You are not charged for using DryRun.

\n

The Message Parts per Second (MPS) limit when using DryRun is five. If\n your origination identity has a lower MPS limit then the lower MPS limit is used. For\n more information about MPS limits, see Message Parts per\n Second (MPS) limits in the AWS End User Messaging SMS User Guide..

" + "smithy.api#documentation": "

When set to true, the message is checked and validated, but isn't sent to the end recipient. You are not charged for using DryRun.

The Message Parts per Second (MPS) limit when using DryRun is five. If your origination identity has a lower MPS limit then the lower MPS limit is used. For more information about MPS limits, see Message Parts per Second (MPS) limits in the AWS End User Messaging SMS User Guide..

" } }, "ProtectConfigurationId": { @@ -11947,7 +11958,7 @@ } ], "traits": { - "smithy.api#documentation": "

Allows you to send a request that sends a voice message.\n This operation uses Amazon Polly to\n convert a text script into a voice message.

" + "smithy.api#documentation": "

Allows you to send a request that sends a voice message. This operation uses Amazon Polly to convert a text script into a voice message.

" } }, "com.amazonaws.pinpointsmsvoicev2#SendVoiceMessageRequest": { @@ -11963,7 +11974,7 @@ "OriginationIdentity": { "target": "com.amazonaws.pinpointsmsvoicev2#VoiceMessageOriginationIdentity", "traits": { - "smithy.api#documentation": "

The origination identity to use for the voice call. This can be the PhoneNumber,\n PhoneNumberId, PhoneNumberArn, PoolId, or PoolArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The origination identity to use for the voice call. This can be the PhoneNumber, PhoneNumberId, PhoneNumberArn, PoolId, or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } }, @@ -11976,19 +11987,19 @@ "MessageBodyTextType": { "target": "com.amazonaws.pinpointsmsvoicev2#VoiceMessageBodyTextType", "traits": { - "smithy.api#documentation": "

Specifies if the MessageBody field contains text or speech synthesis\n markup language (SSML).

\n
    \n
  • \n

    TEXT: This is the default value. When used the maximum character limit is\n 3000.

    \n
  • \n
  • \n

    SSML: When used the maximum character limit is 6000 including SSML\n tagging.

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

Specifies if the MessageBody field contains text or speech synthesis markup language (SSML).

  • TEXT: This is the default value. When used the maximum character limit is 3000.

  • SSML: When used the maximum character limit is 6000 including SSML tagging.

" } }, "VoiceId": { "target": "com.amazonaws.pinpointsmsvoicev2#VoiceId", "traits": { - "smithy.api#documentation": "

The voice for the Amazon Polly\n service to use. By default this is set to \"MATTHEW\".

" + "smithy.api#documentation": "

The voice for the Amazon Polly service to use. By default this is set to \"MATTHEW\".

" } }, "ConfigurationSetName": { "target": "com.amazonaws.pinpointsmsvoicev2#ConfigurationSetNameOrArn", "traits": { - "smithy.api#documentation": "

The name of the configuration set to use. This can be either the ConfigurationSetName\n or ConfigurationSetArn.

" + "smithy.api#documentation": "

The name of the configuration set to use. This can be either the ConfigurationSetName or ConfigurationSetArn.

" } }, "MaxPricePerMinute": { @@ -12006,14 +12017,14 @@ "Context": { "target": "com.amazonaws.pinpointsmsvoicev2#ContextMap", "traits": { - "smithy.api#documentation": "

You can specify custom data in this field. If you do, that data is logged to the event\n destination.

" + "smithy.api#documentation": "

You can specify custom data in this field. If you do, that data is logged to the event destination.

" } }, "DryRun": { "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

When set to true, the message is checked and validated, but isn't sent to the end\n recipient.

" + "smithy.api#documentation": "

When set to true, the message is checked and validated, but isn't sent to the end recipient.

" } }, "ProtectConfigurationId": { @@ -12070,13 +12081,13 @@ "IsoCountryCode": { "target": "com.amazonaws.pinpointsmsvoicev2#IsoCountryCode", "traits": { - "smithy.api#documentation": "

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.\n

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

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

", "smithy.api#required": {} } } }, "traits": { - "smithy.api#documentation": "

The alphanumeric sender ID in a specific country that you want to describe. For more\n information on sender IDs see Requesting\n sender IDs in the AWS End User Messaging SMS User Guide.

" + "smithy.api#documentation": "

The alphanumeric sender ID in a specific country that you want to describe. For more information on sender IDs see Requesting sender IDs in the AWS End User Messaging SMS User Guide.

" } }, "com.amazonaws.pinpointsmsvoicev2#SenderIdFilter": { @@ -12159,14 +12170,14 @@ "IsoCountryCode": { "target": "com.amazonaws.pinpointsmsvoicev2#IsoCountryCode", "traits": { - "smithy.api#documentation": "

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.\n

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

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

", "smithy.api#required": {} } }, "MessageTypes": { "target": "com.amazonaws.pinpointsmsvoicev2#MessageTypeList", "traits": { - "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or\n time-sensitive and PROMOTIONAL for messages that aren't critical or\n time-sensitive.

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

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

", "smithy.api#required": {} } }, @@ -12374,7 +12385,7 @@ } ], "traits": { - "smithy.api#documentation": "

Set a protect configuration as your account default. You can only have one account\n default protect configuration at a time. The current account default protect configuration is replaced with the provided protect configuration.

" + "smithy.api#documentation": "

Set a protect configuration as your account default. You can only have one account default protect configuration at a time. The current account default protect configuration is replaced with the provided protect configuration.

" } }, "com.amazonaws.pinpointsmsvoicev2#SetAccountDefaultProtectConfigurationRequest": { @@ -12449,7 +12460,7 @@ "ConfigurationSetName": { "target": "com.amazonaws.pinpointsmsvoicev2#ConfigurationSetNameOrArn", "traits": { - "smithy.api#documentation": "

The name of the configuration set to use. This can be either the ConfigurationSetName\n or ConfigurationSetArn.

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

The name of the configuration set to use. This can be either the ConfigurationSetName or ConfigurationSetArn.

", "smithy.api#required": {} } }, @@ -12517,7 +12528,7 @@ } ], "traits": { - "smithy.api#documentation": "

Sets the default message type on a configuration set.

\n

Choose the category of SMS messages that you plan to send from this account. If you\n send account-related messages or time-sensitive messages such as one-time passcodes,\n choose Transactional. If you plan to send messages that\n contain marketing material or other promotional content, choose Promotional. This setting applies to your entire Amazon Web Services\n account.

" + "smithy.api#documentation": "

Sets the default message type on a configuration set.

Choose the category of SMS messages that you plan to send from this account. If you send account-related messages or time-sensitive messages such as one-time passcodes, choose Transactional. If you plan to send messages that contain marketing material or other promotional content, choose Promotional. This setting applies to your entire Amazon Web Services account.

" } }, "com.amazonaws.pinpointsmsvoicev2#SetDefaultMessageTypeRequest": { @@ -12526,14 +12537,14 @@ "ConfigurationSetName": { "target": "com.amazonaws.pinpointsmsvoicev2#ConfigurationSetNameOrArn", "traits": { - "smithy.api#documentation": "

The configuration set to update with a new default message type. This field can be the\n ConsigurationSetName or ConfigurationSetArn.

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

The configuration set to update with a new default message type. This field can be the ConsigurationSetName or ConfigurationSetArn.

", "smithy.api#required": {} } }, "MessageType": { "target": "com.amazonaws.pinpointsmsvoicev2#MessageType", "traits": { - "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or\n time-sensitive and PROMOTIONAL for messages that aren't critical or\n time-sensitive.

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

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

", "smithy.api#required": {} } } @@ -12594,7 +12605,7 @@ } ], "traits": { - "smithy.api#documentation": "

Sets default sender ID on a configuration set.

\n

When sending a text message to a destination country that supports sender IDs, the\n default sender ID on the configuration set specified will be used if no dedicated\n origination phone numbers or registered sender IDs are available in your account.

" + "smithy.api#documentation": "

Sets default sender ID on a configuration set.

When sending a text message to a destination country that supports sender IDs, the default sender ID on the configuration set specified will be used if no dedicated origination phone numbers or registered sender IDs are available in your account.

" } }, "com.amazonaws.pinpointsmsvoicev2#SetDefaultSenderIdRequest": { @@ -12603,14 +12614,14 @@ "ConfigurationSetName": { "target": "com.amazonaws.pinpointsmsvoicev2#ConfigurationSetNameOrArn", "traits": { - "smithy.api#documentation": "

The configuration set to updated with a new default SenderId. This field can be the\n ConsigurationSetName or ConfigurationSetArn.

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

The configuration set to updated with a new default SenderId. This field can be the ConsigurationSetName or ConfigurationSetArn.

", "smithy.api#required": {} } }, "SenderId": { "target": "com.amazonaws.pinpointsmsvoicev2#SenderId", "traits": { - "smithy.api#documentation": "

The current sender ID for the configuration set. When sending a text message to a\n destination country which supports SenderIds, the default sender ID on the configuration\n set specified on SendTextMessage will be used if no dedicated\n origination phone numbers or registered SenderIds are available in your account, instead\n of a generic sender ID, such as 'NOTICE'.

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

The current sender ID for the configuration set. When sending a text message to a destination country which supports SenderIds, the default sender ID on the configuration set specified on SendTextMessage will be used if no dedicated origination phone numbers or registered SenderIds are available in your account, instead of a generic sender ID, such as 'NOTICE'.

", "smithy.api#required": {} } } @@ -12668,7 +12679,7 @@ } ], "traits": { - "smithy.api#documentation": "

Sets an account level monthly spend limit override for sending MMS messages. The\n requested spend limit must be less than or equal to the MaxLimit, which is\n set by Amazon Web Services.

" + "smithy.api#documentation": "

Sets an account level monthly spend limit override for sending MMS messages. The requested spend limit must be less than or equal to the MaxLimit, which is set by Amazon Web Services.

" } }, "com.amazonaws.pinpointsmsvoicev2#SetMediaMessageSpendLimitOverrideRequest": { @@ -12723,7 +12734,7 @@ } ], "traits": { - "smithy.api#documentation": "

Sets an account level monthly spend limit override for sending text messages. The\n requested spend limit must be less than or equal to the MaxLimit, which is\n set by Amazon Web Services.

" + "smithy.api#documentation": "

Sets an account level monthly spend limit override for sending text messages. The requested spend limit must be less than or equal to the MaxLimit, which is set by Amazon Web Services.

" } }, "com.amazonaws.pinpointsmsvoicev2#SetTextMessageSpendLimitOverrideRequest": { @@ -12778,7 +12789,7 @@ } ], "traits": { - "smithy.api#documentation": "

Sets an account level monthly spend limit override for sending voice messages. The\n requested spend limit must be less than or equal to the MaxLimit, which is\n set by Amazon Web Services.

" + "smithy.api#documentation": "

Sets an account level monthly spend limit override for sending voice messages. The requested spend limit must be less than or equal to the MaxLimit, which is set by Amazon Web Services.

" } }, "com.amazonaws.pinpointsmsvoicev2#SetVoiceMessageSpendLimitOverrideRequest": { @@ -12816,13 +12827,13 @@ "TopicArn": { "target": "com.amazonaws.pinpointsmsvoicev2#SnsTopicArn", "traits": { - "smithy.api#documentation": "

The Amazon Resource Name (ARN) of the Amazon SNS topic that you want to\n publish events to.

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

The Amazon Resource Name (ARN) of the Amazon SNS topic that you want to publish events to.

", "smithy.api#required": {} } } }, "traits": { - "smithy.api#documentation": "

An object that defines an Amazon SNS destination for events. You can use\n Amazon SNS to send notification when certain events occur.

" + "smithy.api#documentation": "

An object that defines an Amazon SNS destination for events. You can use Amazon SNS to send notification when certain events occur.

" } }, "com.amazonaws.pinpointsmsvoicev2#SnsTopicArn": { @@ -12849,7 +12860,7 @@ "target": "smithy.api#PrimitiveLong", "traits": { "smithy.api#default": 0, - "smithy.api#documentation": "

The maximum amount of money, in US dollars, that you want to be able to spend sending\n messages each month. This value has to be less than or equal to the amount in\n MaxLimit. To use this custom limit, Overridden must be set\n to true.

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

The maximum amount of money, in US dollars, that you want to be able to spend sending messages each month. This value has to be less than or equal to the amount in MaxLimit. To use this custom limit, Overridden must be set to true.

", "smithy.api#required": {} } }, @@ -12857,7 +12868,7 @@ "target": "smithy.api#PrimitiveLong", "traits": { "smithy.api#default": 0, - "smithy.api#documentation": "

The maximum amount of money that you are able to spend to send messages each month,\n in US dollars.

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

The maximum amount of money that you are able to spend to send messages each month, in US dollars.

", "smithy.api#required": {} } }, @@ -12865,13 +12876,13 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

When set to True, the value that has been specified in the\n EnforcedLimit is used to determine the maximum amount in US dollars\n that can be spent to send messages each month, in US dollars.

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

When set to True, the value that has been specified in the EnforcedLimit is used to determine the maximum amount in US dollars that can be spent to send messages each month, in US dollars.

", "smithy.api#required": {} } } }, "traits": { - "smithy.api#documentation": "

Describes the current monthly spend limits for sending voice and\n text messages. For more information on increasing your monthly spend limit, see \n Requesting a spending quota increase\n in the AWS End User Messaging SMS User Guide.

" + "smithy.api#documentation": "

Describes the current monthly spend limits for sending voice and text messages. For more information on increasing your monthly spend limit, see Requesting a spending quota increase in the AWS End User Messaging SMS User Guide.

" } }, "com.amazonaws.pinpointsmsvoicev2#SpendLimitList": { @@ -12988,7 +12999,7 @@ "RegistrationVersionStatus": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationVersionStatus", "traits": { - "smithy.api#documentation": "

The status of the registration version.

\n
    \n
  • \n

    \n APPROVED: Your registration has been approved.

    \n
  • \n
  • \n

    \n ARCHIVED: Your previously approved registration version moves into this status when a more recently submitted version is approved.

    \n
  • \n
  • \n

    \n DENIED: You must fix your registration and resubmit it.

    \n
  • \n
  • \n

    \n DISCARDED: You've abandon this version of their registration to start over with a new version.

    \n
  • \n
  • \n

    \n DRAFT: The initial status of a registration version after it’s created.

    \n
  • \n
  • \n

    \n REQUIRES_AUTHENTICATION: You need to complete email authentication.

    \n
  • \n
  • \n

    \n REVIEWING: Your registration has been accepted and is being reviewed.

    \n
  • \n
  • \n

    \n REVOKED: Your previously approved registration has been revoked.

    \n
  • \n
  • \n

    \n SUBMITTED: Your registration has been submitted.

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

The status of the registration version.

  • APPROVED: Your registration has been approved.

  • ARCHIVED: Your previously approved registration version moves into this status when a more recently submitted version is approved.

  • DENIED: You must fix your registration and resubmit it.

  • DISCARDED: You've abandon this version of their registration to start over with a new version.

  • DRAFT: The initial status of a registration version after it’s created.

  • REQUIRES_AUTHENTICATION: You need to complete email authentication.

  • REVIEWING: Your registration has been accepted and is being reviewed.

  • REVOKED: Your previously approved registration has been revoked.

  • SUBMITTED: Your registration has been submitted.

", "smithy.api#required": {} } }, @@ -13023,14 +13034,14 @@ "AssociationBehavior": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationAssociationBehavior", "traits": { - "smithy.api#documentation": "

The association behavior.

\n
    \n
  • \n

    \n ASSOCIATE_BEFORE_SUBMIT The origination identity has to be supplied when creating a registration.

    \n
  • \n
  • \n

    \n ASSOCIATE_ON_APPROVAL This applies to all short code registrations. The short code will be automatically provisioned once the registration is approved.

    \n
  • \n
  • \n

    \n ASSOCIATE_AFTER_COMPLETE This applies to phone number registrations when you must complete a registration first, then associate one or more phone numbers later. For example 10DLC campaigns and long codes.

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

The association behavior.

  • ASSOCIATE_BEFORE_SUBMIT The origination identity has to be supplied when creating a registration.

  • ASSOCIATE_ON_APPROVAL This applies to all sender ID registrations. The sender ID will be automatically provisioned once the registration is approved.

  • ASSOCIATE_AFTER_COMPLETE This applies to phone number registrations when you must complete a registration first, then associate one or more phone numbers later. For example 10DLC campaigns and long codes.

", "smithy.api#required": {} } }, "DisassociationBehavior": { "target": "com.amazonaws.pinpointsmsvoicev2#RegistrationDisassociationBehavior", "traits": { - "smithy.api#documentation": "

The disassociation behavior.

\n
    \n
  • \n

    \n DISASSOCIATE_ALL_CLOSES_REGISTRATION All origination identities must be disassociated from the registration before the registration can be closed.

    \n
  • \n
  • \n

    \n DISASSOCIATE_ALL_ALLOWS_DELETE_REGISTRATION All origination identities must be disassociated from the registration before the registration can be deleted.

    \n
  • \n
  • \n

    \n DELETE_REGISTRATION_DISASSOCIATES The registration can be deleted and all origination identities will be disasscoiated.

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

The disassociation behavior.

  • DISASSOCIATE_ALL_CLOSES_REGISTRATION All origination identities must be disassociated from the registration before the registration can be closed.

  • DISASSOCIATE_ALL_ALLOWS_DELETE_REGISTRATION All origination identities must be disassociated from the registration before the registration can be deleted.

  • DELETE_REGISTRATION_DISASSOCIATES The registration can be deleted and all origination identities will be disasscoiated.

", "smithy.api#required": {} } } @@ -13129,7 +13140,7 @@ } ], "traits": { - "smithy.api#documentation": "

Adds or overwrites only the specified tags for the specified resource. When you specify an existing tag key, the value is\n overwritten with the new value. Each resource can have a maximum of 50 tags. Each tag\n consists of a key and an optional value. Tag keys must be unique per resource. For more\n information about tags, see Tags in the AWS End User Messaging SMS User Guide.

" + "smithy.api#documentation": "

Adds or overwrites only the specified tags for the specified resource. When you specify an existing tag key, the value is overwritten with the new value. Each tag consists of a key and an optional value. Tag keys must be unique per resource. For more information about tags, see Tags in the AWS End User Messaging SMS User Guide.

" } }, "com.amazonaws.pinpointsmsvoicev2#TagResourceRequest": { @@ -13236,7 +13247,7 @@ } }, "traits": { - "smithy.api#documentation": "

An error that occurred because too many requests were sent during a certain amount of\n time.

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

An error that occurred because too many requests were sent during a certain amount of time.

", "smithy.api#error": "client", "smithy.api#retryable": { "throttling": true @@ -13288,7 +13299,7 @@ } ], "traits": { - "smithy.api#documentation": "

Removes the association of the specified tags from a\n resource. For more information on tags see Tags in the AWS End User Messaging SMS User Guide.

" + "smithy.api#documentation": "

Removes the association of the specified tags from a resource. For more information on tags see Tags in the AWS End User Messaging SMS User Guide.

" } }, "com.amazonaws.pinpointsmsvoicev2#UntagResourceRequest": { @@ -13349,7 +13360,7 @@ } ], "traits": { - "smithy.api#documentation": "

Updates an existing event destination in a configuration set. You can update the\n IAM role ARN for CloudWatch Logs and Firehose. You can\n also enable or disable the event destination.

\n

You may want to update an event destination to change its matching event types or\n updating the destination resource ARN. You can't change an event destination's type\n between CloudWatch Logs, Firehose, and Amazon SNS.

" + "smithy.api#documentation": "

Updates an existing event destination in a configuration set. You can update the IAM role ARN for CloudWatch Logs and Firehose. You can also enable or disable the event destination.

You may want to update an event destination to change its matching event types or updating the destination resource ARN. You can't change an event destination's type between CloudWatch Logs, Firehose, and Amazon SNS.

" } }, "com.amazonaws.pinpointsmsvoicev2#UpdateEventDestinationRequest": { @@ -13358,7 +13369,7 @@ "ConfigurationSetName": { "target": "com.amazonaws.pinpointsmsvoicev2#ConfigurationSetNameOrArn", "traits": { - "smithy.api#documentation": "

The configuration set to update with the new event destination. Valid values for this\n can be the ConfigurationSetName or ConfigurationSetArn.

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

The configuration set to update with the new event destination. Valid values for this can be the ConfigurationSetName or ConfigurationSetArn.

", "smithy.api#required": {} } }, @@ -13378,13 +13389,13 @@ "MatchingEventTypes": { "target": "com.amazonaws.pinpointsmsvoicev2#EventTypeList", "traits": { - "smithy.api#documentation": "

An array of event types that determine which events to log.

\n \n

The TEXT_SENT event type is not supported.

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

An array of event types that determine which events to log.

The TEXT_SENT event type is not supported.

" } }, "CloudWatchLogsDestination": { "target": "com.amazonaws.pinpointsmsvoicev2#CloudWatchLogsDestination", "traits": { - "smithy.api#documentation": "

An object that contains information about an event destination that sends data to\n CloudWatch Logs.

" + "smithy.api#documentation": "

An object that contains information about an event destination that sends data to CloudWatch Logs.

" } }, "KinesisFirehoseDestination": { @@ -13396,7 +13407,7 @@ "SnsDestination": { "target": "com.amazonaws.pinpointsmsvoicev2#SnsDestination", "traits": { - "smithy.api#documentation": "

An object that contains information about an event destination that sends data to\n Amazon SNS.

" + "smithy.api#documentation": "

An object that contains information about an event destination that sends data to Amazon SNS.

" } } }, @@ -13422,7 +13433,7 @@ "EventDestination": { "target": "com.amazonaws.pinpointsmsvoicev2#EventDestination", "traits": { - "smithy.api#documentation": "

An EventDestination object containing the details of where events will be logged.\n

" + "smithy.api#documentation": "

An EventDestination object containing the details of where events will be logged.

" } } }, @@ -13459,7 +13470,7 @@ } ], "traits": { - "smithy.api#documentation": "

Updates the configuration of an existing origination phone number. You can update the\n opt-out list, enable or disable two-way messaging, change the TwoWayChannelArn, enable\n or disable self-managed opt-outs, and enable or disable deletion protection.

\n

If the origination phone number is associated with a pool, an error is\n returned.

" + "smithy.api#documentation": "

Updates the configuration of an existing origination phone number. You can update the opt-out list, enable or disable two-way messaging, change the TwoWayChannelArn, enable or disable self-managed opt-outs, and enable or disable deletion protection.

If the origination phone number is associated with a pool, an error is returned.

" } }, "com.amazonaws.pinpointsmsvoicev2#UpdatePhoneNumberRequest": { @@ -13468,14 +13479,14 @@ "PhoneNumberId": { "target": "com.amazonaws.pinpointsmsvoicev2#PhoneNumberIdOrArn", "traits": { - "smithy.api#documentation": "

The unique identifier of the phone number. Valid values for this field can be either\n the PhoneNumberId or PhoneNumberArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The unique identifier of the phone number. Valid values for this field can be either the PhoneNumberId or PhoneNumberArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } }, "TwoWayEnabled": { "target": "smithy.api#Boolean", "traits": { - "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text\n messages from your end recipients.

" + "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text messages from your end recipients.

" } }, "TwoWayChannelArn": { @@ -13493,19 +13504,19 @@ "SelfManagedOptOutsEnabled": { "target": "smithy.api#Boolean", "traits": { - "smithy.api#documentation": "

By default this is set to false. When an end recipient sends a message that begins\n with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically\n replies with a customizable message and adds the end recipient to the OptOutList. When\n set to true you're responsible for responding to HELP and STOP requests. You're also\n responsible for tracking and honoring opt-out requests.

" + "smithy.api#documentation": "

By default this is set to false. When an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out requests.

" } }, "OptOutListName": { "target": "com.amazonaws.pinpointsmsvoicev2#OptOutListNameOrArn", "traits": { - "smithy.api#documentation": "

The OptOutList to add the phone number to. Valid values for this field can be either\n the OutOutListName or OutOutListArn.

" + "smithy.api#documentation": "

The OptOutList to add the phone number to. Valid values for this field can be either the OutOutListName or OutOutListArn.

" } }, "DeletionProtectionEnabled": { "target": "smithy.api#Boolean", "traits": { - "smithy.api#documentation": "

By default this is set to false. When set to true the phone number can't be deleted.\n

" + "smithy.api#documentation": "

By default this is set to false. When set to true the phone number can't be deleted.

" } } }, @@ -13543,13 +13554,13 @@ "IsoCountryCode": { "target": "com.amazonaws.pinpointsmsvoicev2#IsoCountryCode", "traits": { - "smithy.api#documentation": "

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.\n

" + "smithy.api#documentation": "

The two-character code, in ISO 3166-1 alpha-2 format, for the country or region.

" } }, "MessageType": { "target": "com.amazonaws.pinpointsmsvoicev2#MessageType", "traits": { - "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or\n time-sensitive and PROMOTIONAL for messages that aren't critical or\n time-sensitive.

" + "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

" } }, "NumberCapabilities": { @@ -13574,7 +13585,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text\n messages from your end recipients.

" + "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text messages from your end recipients.

" } }, "TwoWayChannelArn": { @@ -13655,7 +13666,7 @@ } ], "traits": { - "smithy.api#documentation": "

Updates the configuration of an existing pool. You can update the opt-out list, enable\n or disable two-way messaging, change the TwoWayChannelArn, enable or\n disable self-managed opt-outs, enable or disable deletion protection, and enable or\n disable shared routes.

" + "smithy.api#documentation": "

Updates the configuration of an existing pool. You can update the opt-out list, enable or disable two-way messaging, change the TwoWayChannelArn, enable or disable self-managed opt-outs, enable or disable deletion protection, and enable or disable shared routes.

" } }, "com.amazonaws.pinpointsmsvoicev2#UpdatePoolRequest": { @@ -13664,14 +13675,14 @@ "PoolId": { "target": "com.amazonaws.pinpointsmsvoicev2#PoolIdOrArn", "traits": { - "smithy.api#documentation": "

The unique identifier of the pool to update. Valid values are either the PoolId or\n PoolArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The unique identifier of the pool to update. Valid values are either the PoolId or PoolArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

", "smithy.api#required": {} } }, "TwoWayEnabled": { "target": "smithy.api#Boolean", "traits": { - "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text\n messages from your end recipients.

" + "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text messages from your end recipients.

" } }, "TwoWayChannelArn": { @@ -13689,13 +13700,13 @@ "SelfManagedOptOutsEnabled": { "target": "smithy.api#Boolean", "traits": { - "smithy.api#documentation": "

By default this is set to false. When an end recipient sends a message that begins\n with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically\n replies with a customizable message and adds the end recipient to the OptOutList. When\n set to true you're responsible for responding to HELP and STOP requests. You're also\n responsible for tracking and honoring opt-out requests.

" + "smithy.api#documentation": "

By default this is set to false. When an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out requests.

" } }, "OptOutListName": { "target": "com.amazonaws.pinpointsmsvoicev2#OptOutListNameOrArn", "traits": { - "smithy.api#documentation": "

The OptOutList to associate with the pool. Valid values are either OptOutListName or\n OptOutListArn.

\n \n

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

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

The OptOutList to associate with the pool. Valid values are either OptOutListName or OptOutListArn.

If you are using a shared AWS End User Messaging SMS and Voice resource then you must use the full Amazon Resource Name(ARN).

" } }, "SharedRoutesEnabled": { @@ -13746,7 +13757,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text\n messages from your end recipients.

" + "smithy.api#documentation": "

By default this is set to false. When set to true you can receive incoming text messages from your end recipients.

" } }, "TwoWayChannelArn": { @@ -13765,7 +13776,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

When an end recipient sends a message that begins with HELP or STOP to one of your\n dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message\n and adds the end recipient to the OptOutList. When set to true you're responsible for\n responding to HELP and STOP requests. You're also responsible for tracking and honoring\n opt-out requests.

" + "smithy.api#documentation": "

When an end recipient sends a message that begins with HELP or STOP to one of your dedicated numbers, AWS End User Messaging SMS and Voice automatically replies with a customizable message and adds the end recipient to the OptOutList. When set to true you're responsible for responding to HELP and STOP requests. You're also responsible for tracking and honoring opt-out requests.

" } }, "OptOutListName": { @@ -13854,7 +13865,7 @@ } ], "traits": { - "smithy.api#documentation": "

Update a country rule set to ALLOW or BLOCK messages to be sent to the specified destination counties. You can update one or multiple countries at a time. The updates are only applied to the specified NumberCapability type.

" + "smithy.api#documentation": "

Update a country rule set to ALLOW, BLOCK, MONITOR, or FILTER messages to be sent to the specified destination counties. You can update one or multiple countries at a time. The updates are only applied to the specified NumberCapability type.

" } }, "com.amazonaws.pinpointsmsvoicev2#UpdateProtectConfigurationCountryRuleSetRequest": { @@ -13877,7 +13888,7 @@ "CountryRuleSetUpdates": { "target": "com.amazonaws.pinpointsmsvoicev2#ProtectConfigurationCountryRuleSet", "traits": { - "smithy.api#documentation": "

A map of ProtectConfigurationCountryRuleSetInformation objects that contain the\n details for the requested NumberCapability. The Key is the two-letter ISO country code. For a list of supported ISO country codes, see Supported countries and regions (SMS channel) in the AWS End User Messaging SMS User Guide.

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

A map of ProtectConfigurationCountryRuleSetInformation objects that contain the details for the requested NumberCapability. The Key is the two-letter ISO country code. For a list of supported ISO country codes, see Supported countries and regions (SMS channel) in the AWS End User Messaging SMS User Guide.

For example, to set the United States as allowed and Canada as blocked, the CountryRuleSetUpdates would be formatted as: \"CountryRuleSetUpdates\": { \"US\" : { \"ProtectStatus\": \"ALLOW\" } \"CA\" : { \"ProtectStatus\": \"BLOCK\" } }

", "smithy.api#required": {} } } @@ -13935,7 +13946,7 @@ "DeletionProtectionEnabled": { "target": "smithy.api#Boolean", "traits": { - "smithy.api#documentation": "

When set to true deletion protection is enabled. By default this is set to false.\n

" + "smithy.api#documentation": "

When set to true deletion protection is enabled. By default this is set to false.

" } } }, @@ -13979,7 +13990,7 @@ "target": "smithy.api#PrimitiveBoolean", "traits": { "smithy.api#default": false, - "smithy.api#documentation": "

The status of deletion protection for the protect configuration. When set to true deletion protection is enabled. By default this is set to false.\n

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

The status of deletion protection for the protect configuration. When set to true deletion protection is enabled. By default this is set to false.

", "smithy.api#required": {} } } @@ -14072,7 +14083,7 @@ "MessageTypes": { "target": "com.amazonaws.pinpointsmsvoicev2#MessageTypeList", "traits": { - "smithy.api#documentation": "

The type of message. Valid values are TRANSACTIONAL for messages that are critical or\n time-sensitive and PROMOTIONAL for messages that aren't critical or\n time-sensitive.

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

The type of message. Valid values are TRANSACTIONAL for messages that are critical or time-sensitive and PROMOTIONAL for messages that aren't critical or time-sensitive.

", "smithy.api#required": {} } }, @@ -14147,7 +14158,7 @@ "Message": { "target": "smithy.api#String", "traits": { - "smithy.api#documentation": "

The message associated with the validation exception with information to help\n determine its cause.

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

The message associated with the validation exception with information to help determine its cause.

", "smithy.api#required": {} } } @@ -14471,7 +14482,7 @@ "Status": { "target": "com.amazonaws.pinpointsmsvoicev2#VerificationStatus", "traits": { - "smithy.api#documentation": "

The status of the verified destination phone number.

\n
    \n
  • \n

    \n PENDING: The phone number hasn't been verified yet.

    \n
  • \n
  • \n

    \n VERIFIED: The phone number is verified and can receive messages.

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

The status of the verified destination phone number.

  • PENDING: The phone number hasn't been verified yet.

  • VERIFIED: The phone number is verified and can receive messages.

", "smithy.api#required": {} } }, From 6197c7b94988d400bf4ed873eefd900423a7a027 Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 29 Apr 2025 18:10:02 +0000 Subject: [PATCH 06/12] feat(client-qbusiness): Add support for anonymous user access for Q Business applications --- clients/client-qbusiness/README.md | 8 ++ clients/client-qbusiness/src/QBusiness.ts | 23 ++++ .../client-qbusiness/src/QBusinessClient.ts | 6 + .../CreateAnonymousWebExperienceUrlCommand.ts | 118 ++++++++++++++++++ .../src/commands/CreateApplicationCommand.ts | 2 +- .../src/commands/GetApplicationCommand.ts | 2 +- .../src/commands/ListApplicationsCommand.ts | 2 +- .../commands/ListDataSourceSyncJobsCommand.ts | 3 +- .../src/commands/ListDocumentsCommand.ts | 3 +- .../client-qbusiness/src/commands/index.ts | 1 + .../client-qbusiness/src/models/models_0.ts | 89 ++++++------- .../client-qbusiness/src/models/models_1.ts | 53 ++++++++ .../src/protocols/Aws_restJson1.ts | 49 ++++++++ codegen/sdk-codegen/aws-models/qbusiness.json | 100 ++++++++++++++- 14 files changed, 399 insertions(+), 60 deletions(-) create mode 100644 clients/client-qbusiness/src/commands/CreateAnonymousWebExperienceUrlCommand.ts diff --git a/clients/client-qbusiness/README.md b/clients/client-qbusiness/README.md index 0bf0a00697da..260a11b0484f 100644 --- a/clients/client-qbusiness/README.md +++ b/clients/client-qbusiness/README.md @@ -258,6 +258,14 @@ CheckDocumentAccess [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/qbusiness/command/CheckDocumentAccessCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-qbusiness/Interface/CheckDocumentAccessCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-qbusiness/Interface/CheckDocumentAccessCommandOutput/) +
+
+ +CreateAnonymousWebExperienceUrl + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/qbusiness/command/CreateAnonymousWebExperienceUrlCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-qbusiness/Interface/CreateAnonymousWebExperienceUrlCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-qbusiness/Interface/CreateAnonymousWebExperienceUrlCommandOutput/) +
diff --git a/clients/client-qbusiness/src/QBusiness.ts b/clients/client-qbusiness/src/QBusiness.ts index ee48c161c311..7ecd5bc8c201 100644 --- a/clients/client-qbusiness/src/QBusiness.ts +++ b/clients/client-qbusiness/src/QBusiness.ts @@ -29,6 +29,11 @@ import { CheckDocumentAccessCommandInput, CheckDocumentAccessCommandOutput, } from "./commands/CheckDocumentAccessCommand"; +import { + CreateAnonymousWebExperienceUrlCommand, + CreateAnonymousWebExperienceUrlCommandInput, + CreateAnonymousWebExperienceUrlCommandOutput, +} from "./commands/CreateAnonymousWebExperienceUrlCommand"; import { CreateApplicationCommand, CreateApplicationCommandInput, @@ -308,6 +313,7 @@ const commands = { ChatCommand, ChatSyncCommand, CheckDocumentAccessCommand, + CreateAnonymousWebExperienceUrlCommand, CreateApplicationCommand, CreateDataAccessorCommand, CreateDataSourceCommand, @@ -483,6 +489,23 @@ export interface QBusiness { cb: (err: any, data?: CheckDocumentAccessCommandOutput) => void ): void; + /** + * @see {@link CreateAnonymousWebExperienceUrlCommand} + */ + createAnonymousWebExperienceUrl( + args: CreateAnonymousWebExperienceUrlCommandInput, + options?: __HttpHandlerOptions + ): Promise; + createAnonymousWebExperienceUrl( + args: CreateAnonymousWebExperienceUrlCommandInput, + cb: (err: any, data?: CreateAnonymousWebExperienceUrlCommandOutput) => void + ): void; + createAnonymousWebExperienceUrl( + args: CreateAnonymousWebExperienceUrlCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: CreateAnonymousWebExperienceUrlCommandOutput) => void + ): void; + /** * @see {@link CreateApplicationCommand} */ diff --git a/clients/client-qbusiness/src/QBusinessClient.ts b/clients/client-qbusiness/src/QBusinessClient.ts index 781811c825cf..966434a510fb 100644 --- a/clients/client-qbusiness/src/QBusinessClient.ts +++ b/clients/client-qbusiness/src/QBusinessClient.ts @@ -81,6 +81,10 @@ import { CheckDocumentAccessCommandInput, CheckDocumentAccessCommandOutput, } from "./commands/CheckDocumentAccessCommand"; +import { + CreateAnonymousWebExperienceUrlCommandInput, + CreateAnonymousWebExperienceUrlCommandOutput, +} from "./commands/CreateAnonymousWebExperienceUrlCommand"; import { CreateApplicationCommandInput, CreateApplicationCommandOutput } from "./commands/CreateApplicationCommand"; import { CreateDataAccessorCommandInput, CreateDataAccessorCommandOutput } from "./commands/CreateDataAccessorCommand"; import { CreateDataSourceCommandInput, CreateDataSourceCommandOutput } from "./commands/CreateDataSourceCommand"; @@ -214,6 +218,7 @@ export type ServiceInputTypes = | ChatCommandInput | ChatSyncCommandInput | CheckDocumentAccessCommandInput + | CreateAnonymousWebExperienceUrlCommandInput | CreateApplicationCommandInput | CreateDataAccessorCommandInput | CreateDataSourceCommandInput @@ -295,6 +300,7 @@ export type ServiceOutputTypes = | ChatCommandOutput | ChatSyncCommandOutput | CheckDocumentAccessCommandOutput + | CreateAnonymousWebExperienceUrlCommandOutput | CreateApplicationCommandOutput | CreateDataAccessorCommandOutput | CreateDataSourceCommandOutput diff --git a/clients/client-qbusiness/src/commands/CreateAnonymousWebExperienceUrlCommand.ts b/clients/client-qbusiness/src/commands/CreateAnonymousWebExperienceUrlCommand.ts new file mode 100644 index 000000000000..729b068a897d --- /dev/null +++ b/clients/client-qbusiness/src/commands/CreateAnonymousWebExperienceUrlCommand.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 { CreateAnonymousWebExperienceUrlRequest, CreateAnonymousWebExperienceUrlResponse } from "../models/models_0"; +import { + de_CreateAnonymousWebExperienceUrlCommand, + se_CreateAnonymousWebExperienceUrlCommand, +} from "../protocols/Aws_restJson1"; +import { QBusinessClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../QBusinessClient"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link CreateAnonymousWebExperienceUrlCommand}. + */ +export interface CreateAnonymousWebExperienceUrlCommandInput extends CreateAnonymousWebExperienceUrlRequest {} +/** + * @public + * + * The output of {@link CreateAnonymousWebExperienceUrlCommand}. + */ +export interface CreateAnonymousWebExperienceUrlCommandOutput + extends CreateAnonymousWebExperienceUrlResponse, + __MetadataBearer {} + +/** + *

Creates a unique URL for anonymous Amazon Q Business web experience. This URL can only be used once and must be used within 5 minutes after it's generated.

+ * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { QBusinessClient, CreateAnonymousWebExperienceUrlCommand } from "@aws-sdk/client-qbusiness"; // ES Modules import + * // const { QBusinessClient, CreateAnonymousWebExperienceUrlCommand } = require("@aws-sdk/client-qbusiness"); // CommonJS import + * const client = new QBusinessClient(config); + * const input = { // CreateAnonymousWebExperienceUrlRequest + * applicationId: "STRING_VALUE", // required + * webExperienceId: "STRING_VALUE", // required + * sessionDurationInMinutes: Number("int"), + * }; + * const command = new CreateAnonymousWebExperienceUrlCommand(input); + * const response = await client.send(command); + * // { // CreateAnonymousWebExperienceUrlResponse + * // anonymousUrl: "STRING_VALUE", + * // }; + * + * ``` + * + * @param CreateAnonymousWebExperienceUrlCommandInput - {@link CreateAnonymousWebExperienceUrlCommandInput} + * @returns {@link CreateAnonymousWebExperienceUrlCommandOutput} + * @see {@link CreateAnonymousWebExperienceUrlCommandInput} for command's `input` shape. + * @see {@link CreateAnonymousWebExperienceUrlCommandOutput} for command's `response` shape. + * @see {@link QBusinessClientResolvedConfig | config} for QBusinessClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

You don't have access to perform this action. Make sure you have the required permission policies and user accounts and try again.

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

An issue occurred with the internal server used for your Amazon Q Business service. Wait some minutes and try again, or contact Support for help.

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

The application or plugin resource you want to use doesn’t exist. Make sure you have provided the correct resource and try again.

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

You have exceeded the set limits for your Amazon Q Business service.

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

The request was denied due to throttling. Reduce the number of requests and try again.

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

The input doesn't meet the constraints set by the Amazon Q Business service. Provide the correct input and try again.

+ * + * @throws {@link QBusinessServiceException} + *

Base exception class for all service exceptions from QBusiness service.

+ * + * + * @public + */ +export class CreateAnonymousWebExperienceUrlCommand extends $Command + .classBuilder< + CreateAnonymousWebExperienceUrlCommandInput, + CreateAnonymousWebExperienceUrlCommandOutput, + QBusinessClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: QBusinessClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("ExpertQ", "CreateAnonymousWebExperienceUrl", {}) + .n("QBusinessClient", "CreateAnonymousWebExperienceUrlCommand") + .f(void 0, void 0) + .ser(se_CreateAnonymousWebExperienceUrlCommand) + .de(de_CreateAnonymousWebExperienceUrlCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: CreateAnonymousWebExperienceUrlRequest; + output: CreateAnonymousWebExperienceUrlResponse; + }; + sdk: { + input: CreateAnonymousWebExperienceUrlCommandInput; + output: CreateAnonymousWebExperienceUrlCommandOutput; + }; + }; +} diff --git a/clients/client-qbusiness/src/commands/CreateApplicationCommand.ts b/clients/client-qbusiness/src/commands/CreateApplicationCommand.ts index 9bad70a80e2b..e31996ff8e25 100644 --- a/clients/client-qbusiness/src/commands/CreateApplicationCommand.ts +++ b/clients/client-qbusiness/src/commands/CreateApplicationCommand.ts @@ -42,7 +42,7 @@ export interface CreateApplicationCommandOutput extends CreateApplicationRespons * const input = { // CreateApplicationRequest * displayName: "STRING_VALUE", // required * roleArn: "STRING_VALUE", - * identityType: "AWS_IAM_IDP_SAML" || "AWS_IAM_IDP_OIDC" || "AWS_IAM_IDC" || "AWS_QUICKSIGHT_IDP", + * identityType: "AWS_IAM_IDP_SAML" || "AWS_IAM_IDP_OIDC" || "AWS_IAM_IDC" || "AWS_QUICKSIGHT_IDP" || "ANONYMOUS", * iamIdentityProviderArn: "STRING_VALUE", * identityCenterInstanceArn: "STRING_VALUE", * clientIdsForOIDC: [ // ClientIdsForOIDC diff --git a/clients/client-qbusiness/src/commands/GetApplicationCommand.ts b/clients/client-qbusiness/src/commands/GetApplicationCommand.ts index fe60b3f5477a..08457c4335a3 100644 --- a/clients/client-qbusiness/src/commands/GetApplicationCommand.ts +++ b/clients/client-qbusiness/src/commands/GetApplicationCommand.ts @@ -48,7 +48,7 @@ export interface GetApplicationCommandOutput extends GetApplicationResponse, __M * // displayName: "STRING_VALUE", * // applicationId: "STRING_VALUE", * // applicationArn: "STRING_VALUE", - * // identityType: "AWS_IAM_IDP_SAML" || "AWS_IAM_IDP_OIDC" || "AWS_IAM_IDC" || "AWS_QUICKSIGHT_IDP", + * // identityType: "AWS_IAM_IDP_SAML" || "AWS_IAM_IDP_OIDC" || "AWS_IAM_IDC" || "AWS_QUICKSIGHT_IDP" || "ANONYMOUS", * // iamIdentityProviderArn: "STRING_VALUE", * // identityCenterApplicationArn: "STRING_VALUE", * // roleArn: "STRING_VALUE", diff --git a/clients/client-qbusiness/src/commands/ListApplicationsCommand.ts b/clients/client-qbusiness/src/commands/ListApplicationsCommand.ts index c72df3f35d79..d3baba7b9888 100644 --- a/clients/client-qbusiness/src/commands/ListApplicationsCommand.ts +++ b/clients/client-qbusiness/src/commands/ListApplicationsCommand.ts @@ -50,7 +50,7 @@ export interface ListApplicationsCommandOutput extends ListApplicationsResponse, * // createdAt: new Date("TIMESTAMP"), * // updatedAt: new Date("TIMESTAMP"), * // status: "CREATING" || "ACTIVE" || "DELETING" || "FAILED" || "UPDATING", - * // identityType: "AWS_IAM_IDP_SAML" || "AWS_IAM_IDP_OIDC" || "AWS_IAM_IDC" || "AWS_QUICKSIGHT_IDP", + * // identityType: "AWS_IAM_IDP_SAML" || "AWS_IAM_IDP_OIDC" || "AWS_IAM_IDC" || "AWS_QUICKSIGHT_IDP" || "ANONYMOUS", * // quickSightConfiguration: { // QuickSightConfiguration * // clientNamespace: "STRING_VALUE", // required * // }, diff --git a/clients/client-qbusiness/src/commands/ListDataSourceSyncJobsCommand.ts b/clients/client-qbusiness/src/commands/ListDataSourceSyncJobsCommand.ts index 042f9b78b38c..ded2a5f29acd 100644 --- a/clients/client-qbusiness/src/commands/ListDataSourceSyncJobsCommand.ts +++ b/clients/client-qbusiness/src/commands/ListDataSourceSyncJobsCommand.ts @@ -5,7 +5,8 @@ import { Command as $Command } from "@smithy/smithy-client"; import { MetadataBearer as __MetadataBearer } from "@smithy/types"; import { commonParams } from "../endpoint/EndpointParameters"; -import { ListDataSourceSyncJobsRequest, ListDataSourceSyncJobsResponse } from "../models/models_0"; +import { ListDataSourceSyncJobsRequest } from "../models/models_0"; +import { ListDataSourceSyncJobsResponse } from "../models/models_1"; import { de_ListDataSourceSyncJobsCommand, se_ListDataSourceSyncJobsCommand } from "../protocols/Aws_restJson1"; import { QBusinessClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../QBusinessClient"; diff --git a/clients/client-qbusiness/src/commands/ListDocumentsCommand.ts b/clients/client-qbusiness/src/commands/ListDocumentsCommand.ts index c66e299297a6..80051515ff37 100644 --- a/clients/client-qbusiness/src/commands/ListDocumentsCommand.ts +++ b/clients/client-qbusiness/src/commands/ListDocumentsCommand.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 { ListDocumentsRequest } from "../models/models_0"; -import { ListDocumentsResponse } from "../models/models_1"; +import { ListDocumentsRequest, ListDocumentsResponse } from "../models/models_1"; import { de_ListDocumentsCommand, se_ListDocumentsCommand } from "../protocols/Aws_restJson1"; import { QBusinessClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../QBusinessClient"; diff --git a/clients/client-qbusiness/src/commands/index.ts b/clients/client-qbusiness/src/commands/index.ts index 8565434eb75b..812223ecade2 100644 --- a/clients/client-qbusiness/src/commands/index.ts +++ b/clients/client-qbusiness/src/commands/index.ts @@ -6,6 +6,7 @@ export * from "./CancelSubscriptionCommand"; export * from "./ChatCommand"; export * from "./ChatSyncCommand"; export * from "./CheckDocumentAccessCommand"; +export * from "./CreateAnonymousWebExperienceUrlCommand"; export * from "./CreateApplicationCommand"; export * from "./CreateDataAccessorCommand"; export * from "./CreateDataSourceCommand"; diff --git a/clients/client-qbusiness/src/models/models_0.ts b/clients/client-qbusiness/src/models/models_0.ts index 72eb3895c180..c761841e6f41 100644 --- a/clients/client-qbusiness/src/models/models_0.ts +++ b/clients/client-qbusiness/src/models/models_0.ts @@ -691,6 +691,7 @@ export type APISchemaType = (typeof APISchemaType)[keyof typeof APISchemaType]; * @enum */ export const IdentityType = { + ANONYMOUS: "ANONYMOUS", AWS_IAM_IDC: "AWS_IAM_IDC", AWS_IAM_IDP_OIDC: "AWS_IAM_IDP_OIDC", AWS_IAM_IDP_SAML: "AWS_IAM_IDP_SAML", @@ -6391,6 +6392,40 @@ export interface Conversation { startTime?: Date | undefined; } +/** + * @public + */ +export interface CreateAnonymousWebExperienceUrlRequest { + /** + *

The identifier of the Amazon Q Business application environment attached to the web experience.

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

The identifier of the web experience.

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

The duration of the session associated with the unique URL for the web experience.

+ * @public + */ + sessionDurationInMinutes?: number | undefined; +} + +/** + * @public + */ +export interface CreateAnonymousWebExperienceUrlResponse { + /** + *

The unique URL for accessing the web experience.

This URL can only be used once and must be used within 5 minutes after it's generated.

+ * @public + */ + anonymousUrl?: string | undefined; +} + /** *

A user or group in the IAM Identity Center instance connected to the Amazon Q Business application.

* @public @@ -6928,7 +6963,7 @@ export type HallucinationReductionControl = (typeof HallucinationReductionControl)[keyof typeof HallucinationReductionControl]; /** - *

Configuration information required to setup hallucination reduction. For more information, see hallucination reduction.

The hallucination reduction feature won't work if chat orchestration controls are enabled for your application.

+ *

Configuration information required to setup hallucination reduction. For more information, see hallucination reduction.

The hallucination reduction feature won't work if chat orchestration controls are enabled for your application.

* @public */ export interface HallucinationReductionConfiguration { @@ -7501,58 +7536,6 @@ export interface ListDataSourceSyncJobsRequest { statusFilter?: DataSourceSyncJobStatus | undefined; } -/** - * @public - */ -export interface ListDataSourceSyncJobsResponse { - /** - *

A history of synchronization jobs for the data source connector.

- * @public - */ - history?: DataSourceSyncJob[] | undefined; - - /** - *

If the response is truncated, Amazon Q Business returns this token. You can use this token in any subsequent request to retrieve the next set of jobs.

- * @public - */ - nextToken?: string | undefined; -} - -/** - * @public - */ -export interface ListDocumentsRequest { - /** - *

The identifier of the application id the documents are attached to.

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

The identifier of the index the documents are attached to.

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

The identifier of the data sources the documents are attached to.

- * @public - */ - dataSourceIds?: string[] | undefined; - - /** - *

If the maxResults response was incomplete because there is more data to retrieve, Amazon Q Business returns a pagination token in the response. You can use this pagination token to retrieve the next set of documents.

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

The maximum number of documents to return.

- * @public - */ - maxResults?: number | undefined; -} - /** * @internal */ diff --git a/clients/client-qbusiness/src/models/models_1.ts b/clients/client-qbusiness/src/models/models_1.ts index e13e5e840444..ab87c37606e3 100644 --- a/clients/client-qbusiness/src/models/models_1.ts +++ b/clients/client-qbusiness/src/models/models_1.ts @@ -16,6 +16,7 @@ import { ChatModeConfiguration, ContentSource, CreatorModeConfiguration, + DataSourceSyncJob, DocumentAttribute, DocumentDetails, EndOfInputEvent, @@ -35,6 +36,58 @@ import { UserAlias, } from "./models_0"; +/** + * @public + */ +export interface ListDataSourceSyncJobsResponse { + /** + *

A history of synchronization jobs for the data source connector.

+ * @public + */ + history?: DataSourceSyncJob[] | undefined; + + /** + *

If the response is truncated, Amazon Q Business returns this token. You can use this token in any subsequent request to retrieve the next set of jobs.

+ * @public + */ + nextToken?: string | undefined; +} + +/** + * @public + */ +export interface ListDocumentsRequest { + /** + *

The identifier of the application id the documents are attached to.

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

The identifier of the index the documents are attached to.

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

The identifier of the data sources the documents are attached to.

+ * @public + */ + dataSourceIds?: string[] | undefined; + + /** + *

If the maxResults response was incomplete because there is more data to retrieve, Amazon Q Business returns a pagination token in the response. You can use this pagination token to retrieve the next set of documents.

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

The maximum number of documents to return.

+ * @public + */ + maxResults?: number | undefined; +} + /** * @public */ diff --git a/clients/client-qbusiness/src/protocols/Aws_restJson1.ts b/clients/client-qbusiness/src/protocols/Aws_restJson1.ts index 03451a93e2a6..8dffb0863a9e 100644 --- a/clients/client-qbusiness/src/protocols/Aws_restJson1.ts +++ b/clients/client-qbusiness/src/protocols/Aws_restJson1.ts @@ -53,6 +53,10 @@ import { CheckDocumentAccessCommandInput, CheckDocumentAccessCommandOutput, } from "../commands/CheckDocumentAccessCommand"; +import { + CreateAnonymousWebExperienceUrlCommandInput, + CreateAnonymousWebExperienceUrlCommandOutput, +} from "../commands/CreateAnonymousWebExperienceUrlCommand"; import { CreateApplicationCommandInput, CreateApplicationCommandOutput } from "../commands/CreateApplicationCommand"; import { CreateDataAccessorCommandInput, CreateDataAccessorCommandOutput } from "../commands/CreateDataAccessorCommand"; import { CreateDataSourceCommandInput, CreateDataSourceCommandOutput } from "../commands/CreateDataSourceCommand"; @@ -474,6 +478,30 @@ export const se_CheckDocumentAccessCommand = async ( return b.build(); }; +/** + * serializeAws_restJson1CreateAnonymousWebExperienceUrlCommand + */ +export const se_CreateAnonymousWebExperienceUrlCommand = async ( + input: CreateAnonymousWebExperienceUrlCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/applications/{applicationId}/experiences/{webExperienceId}/anonymous-url"); + b.p("applicationId", () => input.applicationId!, "{applicationId}", false); + b.p("webExperienceId", () => input.webExperienceId!, "{webExperienceId}", false); + let body: any; + body = JSON.stringify( + take(input, { + sessionDurationInMinutes: [], + }) + ); + b.m("POST").h(headers).b(body); + return b.build(); +}; + /** * serializeAws_restJson1CreateApplicationCommand */ @@ -2152,6 +2180,27 @@ export const de_CheckDocumentAccessCommand = async ( return contents; }; +/** + * deserializeAws_restJson1CreateAnonymousWebExperienceUrlCommand + */ +export const de_CreateAnonymousWebExperienceUrlCommand = 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, { + anonymousUrl: __expectString, + }); + Object.assign(contents, doc); + return contents; +}; + /** * deserializeAws_restJson1CreateApplicationCommand */ diff --git a/codegen/sdk-codegen/aws-models/qbusiness.json b/codegen/sdk-codegen/aws-models/qbusiness.json index 13b332499dd5..a912f29fb54b 100644 --- a/codegen/sdk-codegen/aws-models/qbusiness.json +++ b/codegen/sdk-codegen/aws-models/qbusiness.json @@ -2645,6 +2645,86 @@ "smithy.api#documentation": "

The source reference for an existing attachment.

" } }, + "com.amazonaws.qbusiness#CreateAnonymousWebExperienceUrl": { + "type": "operation", + "input": { + "target": "com.amazonaws.qbusiness#CreateAnonymousWebExperienceUrlRequest" + }, + "output": { + "target": "com.amazonaws.qbusiness#CreateAnonymousWebExperienceUrlResponse" + }, + "errors": [ + { + "target": "com.amazonaws.qbusiness#AccessDeniedException" + }, + { + "target": "com.amazonaws.qbusiness#InternalServerException" + }, + { + "target": "com.amazonaws.qbusiness#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.qbusiness#ServiceQuotaExceededException" + }, + { + "target": "com.amazonaws.qbusiness#ThrottlingException" + }, + { + "target": "com.amazonaws.qbusiness#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

Creates a unique URL for anonymous Amazon Q Business web experience. This URL can only be used once and must be used within 5 minutes after it's generated.

", + "smithy.api#http": { + "uri": "/applications/{applicationId}/experiences/{webExperienceId}/anonymous-url", + "method": "POST" + } + } + }, + "com.amazonaws.qbusiness#CreateAnonymousWebExperienceUrlRequest": { + "type": "structure", + "members": { + "applicationId": { + "target": "com.amazonaws.qbusiness#ApplicationId", + "traits": { + "smithy.api#documentation": "

The identifier of the Amazon Q Business application environment attached to the web experience.

", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + }, + "webExperienceId": { + "target": "com.amazonaws.qbusiness#WebExperienceId", + "traits": { + "smithy.api#documentation": "

The identifier of the web experience.

", + "smithy.api#httpLabel": {}, + "smithy.api#required": {} + } + }, + "sessionDurationInMinutes": { + "target": "com.amazonaws.qbusiness#SessionDurationInMinutes", + "traits": { + "smithy.api#documentation": "

The duration of the session associated with the unique URL for the web experience.

" + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.qbusiness#CreateAnonymousWebExperienceUrlResponse": { + "type": "structure", + "members": { + "anonymousUrl": { + "target": "com.amazonaws.qbusiness#Url", + "traits": { + "smithy.api#documentation": "

The unique URL for accessing the web experience.

This URL can only be used once and must be used within 5 minutes after it's generated.

" + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, "com.amazonaws.qbusiness#CreateApplication": { "type": "operation", "input": { @@ -6215,6 +6295,9 @@ { "target": "com.amazonaws.qbusiness#CheckDocumentAccess" }, + { + "target": "com.amazonaws.qbusiness#CreateAnonymousWebExperienceUrl" + }, { "target": "com.amazonaws.qbusiness#CreateSubscription" }, @@ -8458,7 +8541,7 @@ } }, "traits": { - "smithy.api#documentation": "

Configuration information required to setup hallucination reduction. For more information, see hallucination reduction.

The hallucination reduction feature won't work if chat orchestration controls are enabled for your application.

" + "smithy.api#documentation": "

Configuration information required to setup hallucination reduction. For more information, see hallucination reduction.

The hallucination reduction feature won't work if chat orchestration controls are enabled for your application.

" } }, "com.amazonaws.qbusiness#HallucinationReductionControl": { @@ -8592,6 +8675,12 @@ "traits": { "smithy.api#enumValue": "AWS_QUICKSIGHT_IDP" } + }, + "ANONYMOUS": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "ANONYMOUS" + } } } }, @@ -13020,6 +13109,15 @@ "smithy.api#httpError": 402 } }, + "com.amazonaws.qbusiness#SessionDurationInMinutes": { + "type": "integer", + "traits": { + "smithy.api#range": { + "min": 15, + "max": 60 + } + } + }, "com.amazonaws.qbusiness#SnippetExcerpt": { "type": "structure", "members": { From 9ee87df4a6214237012068e9b2ed8609ec827c6e Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 29 Apr 2025 18:10:02 +0000 Subject: [PATCH 07/12] feat(client-connectcases): Introduces CustomEntity as part of the UserUnion data type. This field is used to indicate the entity who is performing the API action. --- .../src/commands/CreateCaseCommand.ts | 5 +- .../src/commands/CreateRelatedItemCommand.ts | 1 + .../src/commands/GetCaseAuditEventsCommand.ts | 9 ++- .../src/commands/SearchRelatedItemsCommand.ts | 1 + .../src/commands/UpdateCaseCommand.ts | 5 +- .../src/models/models_0.ts | 80 +++++++++++++++++-- .../sdk-codegen/aws-models/connectcases.json | 23 +++++- 7 files changed, 108 insertions(+), 16 deletions(-) diff --git a/clients/client-connectcases/src/commands/CreateCaseCommand.ts b/clients/client-connectcases/src/commands/CreateCaseCommand.ts index 54cb6c1d69be..8bc14ca144fa 100644 --- a/clients/client-connectcases/src/commands/CreateCaseCommand.ts +++ b/clients/client-connectcases/src/commands/CreateCaseCommand.ts @@ -6,7 +6,7 @@ import { MetadataBearer as __MetadataBearer } from "@smithy/types"; import { ConnectCasesClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../ConnectCasesClient"; import { commonParams } from "../endpoint/EndpointParameters"; -import { CreateCaseRequest, CreateCaseResponse } from "../models/models_0"; +import { CreateCaseRequest, CreateCaseRequestFilterSensitiveLog, CreateCaseResponse } from "../models/models_0"; import { de_CreateCaseCommand, se_CreateCaseCommand } from "../protocols/Aws_restJson1"; /** @@ -72,6 +72,7 @@ export interface CreateCaseCommandOutput extends CreateCaseResponse, __MetadataB * clientToken: "STRING_VALUE", * performedBy: { // UserUnion Union: only one key present * userArn: "STRING_VALUE", + * customEntity: "STRING_VALUE", * }, * }; * const command = new CreateCaseCommand(input); @@ -134,7 +135,7 @@ export class CreateCaseCommand extends $Command }) .s("AmazonConnectCases", "CreateCase", {}) .n("ConnectCasesClient", "CreateCaseCommand") - .f(void 0, void 0) + .f(CreateCaseRequestFilterSensitiveLog, void 0) .ser(se_CreateCaseCommand) .de(de_CreateCaseCommand) .build() { diff --git a/clients/client-connectcases/src/commands/CreateRelatedItemCommand.ts b/clients/client-connectcases/src/commands/CreateRelatedItemCommand.ts index bdfa92aa5f9e..cdc8e4e6210a 100644 --- a/clients/client-connectcases/src/commands/CreateRelatedItemCommand.ts +++ b/clients/client-connectcases/src/commands/CreateRelatedItemCommand.ts @@ -93,6 +93,7 @@ export interface CreateRelatedItemCommandOutput extends CreateRelatedItemRespons * }, * performedBy: { // UserUnion Union: only one key present * userArn: "STRING_VALUE", + * customEntity: "STRING_VALUE", * }, * }; * const command = new CreateRelatedItemCommand(input); diff --git a/clients/client-connectcases/src/commands/GetCaseAuditEventsCommand.ts b/clients/client-connectcases/src/commands/GetCaseAuditEventsCommand.ts index 46533214eaba..2338ee40e94c 100644 --- a/clients/client-connectcases/src/commands/GetCaseAuditEventsCommand.ts +++ b/clients/client-connectcases/src/commands/GetCaseAuditEventsCommand.ts @@ -6,7 +6,11 @@ import { MetadataBearer as __MetadataBearer } from "@smithy/types"; import { ConnectCasesClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../ConnectCasesClient"; import { commonParams } from "../endpoint/EndpointParameters"; -import { GetCaseAuditEventsRequest, GetCaseAuditEventsResponse } from "../models/models_0"; +import { + GetCaseAuditEventsRequest, + GetCaseAuditEventsResponse, + GetCaseAuditEventsResponseFilterSensitiveLog, +} from "../models/models_0"; import { de_GetCaseAuditEventsCommand, se_GetCaseAuditEventsCommand } from "../protocols/Aws_restJson1"; /** @@ -73,6 +77,7 @@ export interface GetCaseAuditEventsCommandOutput extends GetCaseAuditEventsRespo * // performedBy: { // AuditEventPerformedBy * // user: { // UserUnion Union: only one key present * // userArn: "STRING_VALUE", + * // customEntity: "STRING_VALUE", * // }, * // iamPrincipalArn: "STRING_VALUE", // required * // }, @@ -128,7 +133,7 @@ export class GetCaseAuditEventsCommand extends $Command }) .s("AmazonConnectCases", "GetCaseAuditEvents", {}) .n("ConnectCasesClient", "GetCaseAuditEventsCommand") - .f(void 0, void 0) + .f(void 0, GetCaseAuditEventsResponseFilterSensitiveLog) .ser(se_GetCaseAuditEventsCommand) .de(de_GetCaseAuditEventsCommand) .build() { diff --git a/clients/client-connectcases/src/commands/SearchRelatedItemsCommand.ts b/clients/client-connectcases/src/commands/SearchRelatedItemsCommand.ts index 2011a3f6e889..9f7f7eceb7a5 100644 --- a/clients/client-connectcases/src/commands/SearchRelatedItemsCommand.ts +++ b/clients/client-connectcases/src/commands/SearchRelatedItemsCommand.ts @@ -115,6 +115,7 @@ export interface SearchRelatedItemsCommandOutput extends SearchRelatedItemsRespo * // }, * // performedBy: { // UserUnion Union: only one key present * // userArn: "STRING_VALUE", + * // customEntity: "STRING_VALUE", * // }, * // }, * // ], diff --git a/clients/client-connectcases/src/commands/UpdateCaseCommand.ts b/clients/client-connectcases/src/commands/UpdateCaseCommand.ts index ed6e1915e6da..6ab84fc3e498 100644 --- a/clients/client-connectcases/src/commands/UpdateCaseCommand.ts +++ b/clients/client-connectcases/src/commands/UpdateCaseCommand.ts @@ -6,7 +6,7 @@ import { MetadataBearer as __MetadataBearer } from "@smithy/types"; import { ConnectCasesClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../ConnectCasesClient"; import { commonParams } from "../endpoint/EndpointParameters"; -import { UpdateCaseRequest, UpdateCaseResponse } from "../models/models_0"; +import { UpdateCaseRequest, UpdateCaseRequestFilterSensitiveLog, UpdateCaseResponse } from "../models/models_0"; import { de_UpdateCaseCommand, se_UpdateCaseCommand } from "../protocols/Aws_restJson1"; /** @@ -58,6 +58,7 @@ export interface UpdateCaseCommandOutput extends UpdateCaseResponse, __MetadataB * ], * performedBy: { // UserUnion Union: only one key present * userArn: "STRING_VALUE", + * customEntity: "STRING_VALUE", * }, * }; * const command = new UpdateCaseCommand(input); @@ -112,7 +113,7 @@ export class UpdateCaseCommand extends $Command }) .s("AmazonConnectCases", "UpdateCase", {}) .n("ConnectCasesClient", "UpdateCaseCommand") - .f(void 0, void 0) + .f(UpdateCaseRequestFilterSensitiveLog, void 0) .ser(se_UpdateCaseCommand) .de(de_UpdateCaseCommand) .build() { diff --git a/clients/client-connectcases/src/models/models_0.ts b/clients/client-connectcases/src/models/models_0.ts index 4a193179ea1b..90c143d7524c 100644 --- a/clients/client-connectcases/src/models/models_0.ts +++ b/clients/client-connectcases/src/models/models_0.ts @@ -190,10 +190,10 @@ export interface FieldValue { } /** - *

Represents the identity of the person who performed the action.

+ *

Represents the entity that performed the action.

* @public */ -export type UserUnion = UserUnion.UserArnMember | UserUnion.$UnknownMember; +export type UserUnion = UserUnion.CustomEntityMember | UserUnion.UserArnMember | UserUnion.$UnknownMember; /** * @public @@ -205,6 +205,17 @@ export namespace UserUnion { */ export interface UserArnMember { userArn: string; + customEntity?: never; + $unknown?: never; + } + + /** + *

Any provided entity.

+ * @public + */ + export interface CustomEntityMember { + userArn?: never; + customEntity: string; $unknown?: never; } @@ -213,16 +224,19 @@ export namespace UserUnion { */ export interface $UnknownMember { userArn?: never; + customEntity?: never; $unknown: [string, any]; } export interface Visitor { userArn: (value: string) => T; + customEntity: (value: string) => T; _: (name: string, value: any) => T; } export const visit = (value: UserUnion, visitor: Visitor): T => { if (value.userArn !== undefined) return visitor.userArn(value.userArn); + if (value.customEntity !== undefined) return visitor.customEntity(value.customEntity); return visitor._(value.$unknown[0], value.$unknown[1]); }; } @@ -260,7 +274,7 @@ export interface CreateCaseRequest { clientToken?: string | undefined; /** - *

Represents the identity of the person who performed the action.

+ *

Represents the entity that performed the action.

* @public */ performedBy?: UserUnion | undefined; @@ -636,7 +650,7 @@ export interface AuditEventField { */ export interface AuditEventPerformedBy { /** - *

Represents the identity of the person who performed the action.

+ *

Represents the entity that performed the action.

* @public */ user?: UserUnion | undefined; @@ -1782,7 +1796,7 @@ export interface UpdateCaseRequest { fields: FieldValue[] | undefined; /** - *

Represents the identity of the person who performed the action.

+ *

Represents the entity that performed the action.

* @public */ performedBy?: UserUnion | undefined; @@ -4134,6 +4148,49 @@ export interface SearchCasesRequest { fields?: FieldIdentifier[] | undefined; } +/** + * @internal + */ +export const UserUnionFilterSensitiveLog = (obj: UserUnion): any => { + if (obj.userArn !== undefined) return { userArn: obj.userArn }; + if (obj.customEntity !== undefined) return { customEntity: SENSITIVE_STRING }; + if (obj.$unknown !== undefined) return { [obj.$unknown[0]]: "UNKNOWN" }; +}; + +/** + * @internal + */ +export const CreateCaseRequestFilterSensitiveLog = (obj: CreateCaseRequest): any => ({ + ...obj, + ...(obj.fields && { fields: obj.fields.map((item) => item) }), + ...(obj.performedBy && { performedBy: UserUnionFilterSensitiveLog(obj.performedBy) }), +}); + +/** + * @internal + */ +export const AuditEventPerformedByFilterSensitiveLog = (obj: AuditEventPerformedBy): any => ({ + ...obj, + ...(obj.user && { user: UserUnionFilterSensitiveLog(obj.user) }), +}); + +/** + * @internal + */ +export const AuditEventFilterSensitiveLog = (obj: AuditEvent): any => ({ + ...obj, + ...(obj.fields && { fields: obj.fields.map((item) => item) }), + ...(obj.performedBy && { performedBy: AuditEventPerformedByFilterSensitiveLog(obj.performedBy) }), +}); + +/** + * @internal + */ +export const GetCaseAuditEventsResponseFilterSensitiveLog = (obj: GetCaseAuditEventsResponse): any => ({ + ...obj, + ...(obj.auditEvents && { auditEvents: obj.auditEvents.map((item) => AuditEventFilterSensitiveLog(item)) }), +}); + /** * @internal */ @@ -4169,7 +4226,7 @@ export const RelatedItemInputContentFilterSensitiveLog = (obj: RelatedItemInputC export const CreateRelatedItemRequestFilterSensitiveLog = (obj: CreateRelatedItemRequest): any => ({ ...obj, ...(obj.content && { content: RelatedItemInputContentFilterSensitiveLog(obj.content) }), - ...(obj.performedBy && { performedBy: obj.performedBy }), + ...(obj.performedBy && { performedBy: UserUnionFilterSensitiveLog(obj.performedBy) }), }); /** @@ -4233,7 +4290,7 @@ export const RelatedItemContentFilterSensitiveLog = (obj: RelatedItemContent): a export const SearchRelatedItemsResponseItemFilterSensitiveLog = (obj: SearchRelatedItemsResponseItem): any => ({ ...obj, ...(obj.content && { content: RelatedItemContentFilterSensitiveLog(obj.content) }), - ...(obj.performedBy && { performedBy: obj.performedBy }), + ...(obj.performedBy && { performedBy: UserUnionFilterSensitiveLog(obj.performedBy) }), }); /** @@ -4245,3 +4302,12 @@ export const SearchRelatedItemsResponseFilterSensitiveLog = (obj: SearchRelatedI relatedItems: obj.relatedItems.map((item) => SearchRelatedItemsResponseItemFilterSensitiveLog(item)), }), }); + +/** + * @internal + */ +export const UpdateCaseRequestFilterSensitiveLog = (obj: UpdateCaseRequest): any => ({ + ...obj, + ...(obj.fields && { fields: obj.fields.map((item) => item) }), + ...(obj.performedBy && { performedBy: UserUnionFilterSensitiveLog(obj.performedBy) }), +}); diff --git a/codegen/sdk-codegen/aws-models/connectcases.json b/codegen/sdk-codegen/aws-models/connectcases.json index 3979902b117c..c2a38ae25dea 100644 --- a/codegen/sdk-codegen/aws-models/connectcases.json +++ b/codegen/sdk-codegen/aws-models/connectcases.json @@ -2472,6 +2472,17 @@ "smithy.api#timestampFormat": "date-time" } }, + "com.amazonaws.connectcases#CustomEntity": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 500 + }, + "smithy.api#pattern": "^[a-zA-Z0-9_\\-\\.@:/ ]*[a-zA-Z0-9_\\-\\.@:/]$", + "smithy.api#sensitive": {} + } + }, "com.amazonaws.connectcases#DeleteCaseRule": { "type": "operation", "input": { @@ -5580,7 +5591,7 @@ "smithy.api#documentation": "

The maximum number of cases to return. The current maximum supported value is 25. This is\n also the default value when no other value is provided.

", "smithy.api#range": { "min": 1, - "max": 25 + "max": 100 } } }, @@ -5642,7 +5653,7 @@ "traits": { "smithy.api#documentation": "

A list of case documents where each case contains the properties CaseId and\n Fields where each field is a complex union structure.

", "smithy.api#length": { - "max": 25 + "max": 100 }, "smithy.api#required": {} } @@ -6907,10 +6918,16 @@ "traits": { "smithy.api#documentation": "

Represents the Amazon Connect ARN of the user.

" } + }, + "customEntity": { + "target": "com.amazonaws.connectcases#CustomEntity", + "traits": { + "smithy.api#documentation": "

Any provided entity.

" + } } }, "traits": { - "smithy.api#documentation": "

Represents the identity of the person who performed the action.

" + "smithy.api#documentation": "

Represents the entity that performed the action.

" } }, "com.amazonaws.connectcases#ValidationException": { From e58106703f3e3a025a41e73bb2b17993ef49cf42 Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 29 Apr 2025 18:10:02 +0000 Subject: [PATCH 08/12] feat(client-ssm-guiconnect): This release adds API support for the connection recording GUI Connect feature of AWS Systems Manager --- clients/client-ssm-guiconnect/.gitignore | 9 + clients/client-ssm-guiconnect/LICENSE | 201 +++ clients/client-ssm-guiconnect/README.md | 253 ++++ .../client-ssm-guiconnect/api-extractor.json | 4 + clients/client-ssm-guiconnect/package.json | 101 ++ .../src/SSMGuiConnect.ts | 111 ++ .../src/SSMGuiConnectClient.ts | 362 +++++ .../auth/httpAuthExtensionConfiguration.ts | 72 + .../src/auth/httpAuthSchemeProvider.ts | 155 ++ ...teConnectionRecordingPreferencesCommand.ts | 135 ++ ...etConnectionRecordingPreferencesCommand.ts | 152 ++ ...teConnectionRecordingPreferencesCommand.ts | 180 +++ .../src/commands/index.ts | 4 + .../src/endpoint/EndpointParameters.ts | 40 + .../src/endpoint/endpointResolver.ts | 26 + .../src/endpoint/ruleset.ts | 32 + .../src/extensionConfiguration.ts | 15 + clients/client-ssm-guiconnect/src/index.ts | 39 + .../models/SSMGuiConnectServiceException.ts | 24 + .../client-ssm-guiconnect/src/models/index.ts | 2 + .../src/models/models_0.ts | 265 ++++ .../src/protocols/Aws_restJson1.ts | 373 +++++ .../src/runtimeConfig.browser.ts | 44 + .../src/runtimeConfig.native.ts | 18 + .../src/runtimeConfig.shared.ts | 38 + .../src/runtimeConfig.ts | 69 + .../src/runtimeExtensions.ts | 46 + .../client-ssm-guiconnect/tsconfig.cjs.json | 6 + .../client-ssm-guiconnect/tsconfig.es.json | 9 + clients/client-ssm-guiconnect/tsconfig.json | 13 + .../client-ssm-guiconnect/tsconfig.types.json | 10 + .../aws-models/ssm-guiconnect.json | 1318 +++++++++++++++++ 32 files changed, 4126 insertions(+) create mode 100644 clients/client-ssm-guiconnect/.gitignore create mode 100644 clients/client-ssm-guiconnect/LICENSE create mode 100644 clients/client-ssm-guiconnect/README.md create mode 100644 clients/client-ssm-guiconnect/api-extractor.json create mode 100644 clients/client-ssm-guiconnect/package.json create mode 100644 clients/client-ssm-guiconnect/src/SSMGuiConnect.ts create mode 100644 clients/client-ssm-guiconnect/src/SSMGuiConnectClient.ts create mode 100644 clients/client-ssm-guiconnect/src/auth/httpAuthExtensionConfiguration.ts create mode 100644 clients/client-ssm-guiconnect/src/auth/httpAuthSchemeProvider.ts create mode 100644 clients/client-ssm-guiconnect/src/commands/DeleteConnectionRecordingPreferencesCommand.ts create mode 100644 clients/client-ssm-guiconnect/src/commands/GetConnectionRecordingPreferencesCommand.ts create mode 100644 clients/client-ssm-guiconnect/src/commands/UpdateConnectionRecordingPreferencesCommand.ts create mode 100644 clients/client-ssm-guiconnect/src/commands/index.ts create mode 100644 clients/client-ssm-guiconnect/src/endpoint/EndpointParameters.ts create mode 100644 clients/client-ssm-guiconnect/src/endpoint/endpointResolver.ts create mode 100644 clients/client-ssm-guiconnect/src/endpoint/ruleset.ts create mode 100644 clients/client-ssm-guiconnect/src/extensionConfiguration.ts create mode 100644 clients/client-ssm-guiconnect/src/index.ts create mode 100644 clients/client-ssm-guiconnect/src/models/SSMGuiConnectServiceException.ts create mode 100644 clients/client-ssm-guiconnect/src/models/index.ts create mode 100644 clients/client-ssm-guiconnect/src/models/models_0.ts create mode 100644 clients/client-ssm-guiconnect/src/protocols/Aws_restJson1.ts create mode 100644 clients/client-ssm-guiconnect/src/runtimeConfig.browser.ts create mode 100644 clients/client-ssm-guiconnect/src/runtimeConfig.native.ts create mode 100644 clients/client-ssm-guiconnect/src/runtimeConfig.shared.ts create mode 100644 clients/client-ssm-guiconnect/src/runtimeConfig.ts create mode 100644 clients/client-ssm-guiconnect/src/runtimeExtensions.ts create mode 100644 clients/client-ssm-guiconnect/tsconfig.cjs.json create mode 100644 clients/client-ssm-guiconnect/tsconfig.es.json create mode 100644 clients/client-ssm-guiconnect/tsconfig.json create mode 100644 clients/client-ssm-guiconnect/tsconfig.types.json create mode 100644 codegen/sdk-codegen/aws-models/ssm-guiconnect.json diff --git a/clients/client-ssm-guiconnect/.gitignore b/clients/client-ssm-guiconnect/.gitignore new file mode 100644 index 000000000000..54f14c9aef25 --- /dev/null +++ b/clients/client-ssm-guiconnect/.gitignore @@ -0,0 +1,9 @@ +/node_modules/ +/build/ +/coverage/ +/docs/ +/dist-* +*.tsbuildinfo +*.tgz +*.log +package-lock.json diff --git a/clients/client-ssm-guiconnect/LICENSE b/clients/client-ssm-guiconnect/LICENSE new file mode 100644 index 000000000000..ba9d6d152690 --- /dev/null +++ b/clients/client-ssm-guiconnect/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-2025 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-ssm-guiconnect/README.md b/clients/client-ssm-guiconnect/README.md new file mode 100644 index 000000000000..2c986702a8cf --- /dev/null +++ b/clients/client-ssm-guiconnect/README.md @@ -0,0 +1,253 @@ + + +# @aws-sdk/client-ssm-guiconnect + +## Description + +AWS SDK for JavaScript SSMGuiConnect Client for Node.js, Browser and React Native. + +AWS Systems Manager GUI Connect + +

Systems Manager GUI Connect, a component of Fleet Manager, lets you connect to your Window +Server-type Amazon Elastic Compute Cloud (Amazon EC2) instances using the Remote Desktop Protocol (RDP). GUI +Connect, which is powered by Amazon DCV, provides you +with secure connectivity to your Windows Server instances directly from the Systems Manager console. +You can have up to four simultaneous connections in a single browser window. In the +console, GUI Connect is also referred to as Fleet Manager Remote Desktop.

+

This reference is intended to be used with the +Amazon Web Services Systems Manager User +Guide +. To get started, see the following user guide topics:

+ + +## Installing + +To install this package, simply type add or install @aws-sdk/client-ssm-guiconnect +using your favorite package manager: + +- `npm install @aws-sdk/client-ssm-guiconnect` +- `yarn add @aws-sdk/client-ssm-guiconnect` +- `pnpm add @aws-sdk/client-ssm-guiconnect` + +## Getting Started + +### Import + +The AWS SDK is modulized by clients and commands. +To send a request, you only need to import the `SSMGuiConnectClient` and +the commands you need, for example `GetConnectionRecordingPreferencesCommand`: + +```js +// ES5 example +const { SSMGuiConnectClient, GetConnectionRecordingPreferencesCommand } = require("@aws-sdk/client-ssm-guiconnect"); +``` + +```ts +// ES6+ example +import { SSMGuiConnectClient, GetConnectionRecordingPreferencesCommand } from "@aws-sdk/client-ssm-guiconnect"; +``` + +### 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 SSMGuiConnectClient({ region: "REGION" }); + +const params = { + /** input parameters */ +}; +const command = new GetConnectionRecordingPreferencesCommand(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-ssm-guiconnect"; +const client = new AWS.SSMGuiConnect({ region: "REGION" }); + +// async/await. +try { + const data = await client.getConnectionRecordingPreferences(params); + // process data. +} catch (error) { + // error handling. +} + +// Promises. +client + .getConnectionRecordingPreferences(params) + .then((data) => { + // process data. + }) + .catch((error) => { + // error handling. + }); + +// callbacks. +client.getConnectionRecordingPreferences(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-ssm-guiconnect` 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) + +
+ +DeleteConnectionRecordingPreferences + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/ssm-guiconnect/command/DeleteConnectionRecordingPreferencesCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-ssm-guiconnect/Interface/DeleteConnectionRecordingPreferencesCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-ssm-guiconnect/Interface/DeleteConnectionRecordingPreferencesCommandOutput/) + +
+
+ +GetConnectionRecordingPreferences + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/ssm-guiconnect/command/GetConnectionRecordingPreferencesCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-ssm-guiconnect/Interface/GetConnectionRecordingPreferencesCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-ssm-guiconnect/Interface/GetConnectionRecordingPreferencesCommandOutput/) + +
+
+ +UpdateConnectionRecordingPreferences + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/ssm-guiconnect/command/UpdateConnectionRecordingPreferencesCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-ssm-guiconnect/Interface/UpdateConnectionRecordingPreferencesCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-ssm-guiconnect/Interface/UpdateConnectionRecordingPreferencesCommandOutput/) + +
diff --git a/clients/client-ssm-guiconnect/api-extractor.json b/clients/client-ssm-guiconnect/api-extractor.json new file mode 100644 index 000000000000..d5bf5ffeee85 --- /dev/null +++ b/clients/client-ssm-guiconnect/api-extractor.json @@ -0,0 +1,4 @@ +{ + "extends": "../../api-extractor.json", + "mainEntryPointFilePath": "/dist-types/index.d.ts" +} diff --git a/clients/client-ssm-guiconnect/package.json b/clients/client-ssm-guiconnect/package.json new file mode 100644 index 000000000000..17629ca70cbe --- /dev/null +++ b/clients/client-ssm-guiconnect/package.json @@ -0,0 +1,101 @@ +{ + "name": "@aws-sdk/client-ssm-guiconnect", + "description": "AWS SDK for JavaScript Ssm Guiconnect 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 ssm-guiconnect" + }, + "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/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": "^4.1.0", + "@smithy/core": "^3.3.0", + "@smithy/fetch-http-handler": "^5.0.2", + "@smithy/hash-node": "^4.0.2", + "@smithy/invalid-dependency": "^4.0.2", + "@smithy/middleware-content-length": "^4.0.2", + "@smithy/middleware-endpoint": "^4.1.1", + "@smithy/middleware-retry": "^4.1.1", + "@smithy/middleware-serde": "^4.0.3", + "@smithy/middleware-stack": "^4.0.2", + "@smithy/node-config-provider": "^4.0.2", + "@smithy/node-http-handler": "^4.0.4", + "@smithy/protocol-http": "^5.1.0", + "@smithy/smithy-client": "^4.2.1", + "@smithy/types": "^4.2.0", + "@smithy/url-parser": "^4.0.2", + "@smithy/util-base64": "^4.0.0", + "@smithy/util-body-length-browser": "^4.0.0", + "@smithy/util-body-length-node": "^4.0.0", + "@smithy/util-defaults-mode-browser": "^4.0.9", + "@smithy/util-defaults-mode-node": "^4.0.9", + "@smithy/util-endpoints": "^3.0.2", + "@smithy/util-middleware": "^4.0.2", + "@smithy/util-retry": "^4.0.2", + "@smithy/util-utf8": "^4.0.0", + "@types/uuid": "^9.0.1", + "tslib": "^2.6.2", + "uuid": "^9.0.1" + }, + "devDependencies": { + "@tsconfig/node18": "18.2.4", + "@types/node": "^18.19.69", + "concurrently": "7.0.0", + "downlevel-dts": "0.10.1", + "rimraf": "3.0.2", + "typescript": "~5.2.2" + }, + "engines": { + "node": ">=18.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-ssm-guiconnect", + "repository": { + "type": "git", + "url": "https://github.com/aws/aws-sdk-js-v3.git", + "directory": "clients/client-ssm-guiconnect" + } +} diff --git a/clients/client-ssm-guiconnect/src/SSMGuiConnect.ts b/clients/client-ssm-guiconnect/src/SSMGuiConnect.ts new file mode 100644 index 000000000000..d0b60d77da4c --- /dev/null +++ b/clients/client-ssm-guiconnect/src/SSMGuiConnect.ts @@ -0,0 +1,111 @@ +// smithy-typescript generated code +import { createAggregatedClient } from "@smithy/smithy-client"; +import { HttpHandlerOptions as __HttpHandlerOptions } from "@smithy/types"; + +import { + DeleteConnectionRecordingPreferencesCommand, + DeleteConnectionRecordingPreferencesCommandInput, + DeleteConnectionRecordingPreferencesCommandOutput, +} from "./commands/DeleteConnectionRecordingPreferencesCommand"; +import { + GetConnectionRecordingPreferencesCommand, + GetConnectionRecordingPreferencesCommandInput, + GetConnectionRecordingPreferencesCommandOutput, +} from "./commands/GetConnectionRecordingPreferencesCommand"; +import { + UpdateConnectionRecordingPreferencesCommand, + UpdateConnectionRecordingPreferencesCommandInput, + UpdateConnectionRecordingPreferencesCommandOutput, +} from "./commands/UpdateConnectionRecordingPreferencesCommand"; +import { SSMGuiConnectClient, SSMGuiConnectClientConfig } from "./SSMGuiConnectClient"; + +const commands = { + DeleteConnectionRecordingPreferencesCommand, + GetConnectionRecordingPreferencesCommand, + UpdateConnectionRecordingPreferencesCommand, +}; + +export interface SSMGuiConnect { + /** + * @see {@link DeleteConnectionRecordingPreferencesCommand} + */ + deleteConnectionRecordingPreferences(): Promise; + deleteConnectionRecordingPreferences( + args: DeleteConnectionRecordingPreferencesCommandInput, + options?: __HttpHandlerOptions + ): Promise; + deleteConnectionRecordingPreferences( + args: DeleteConnectionRecordingPreferencesCommandInput, + cb: (err: any, data?: DeleteConnectionRecordingPreferencesCommandOutput) => void + ): void; + deleteConnectionRecordingPreferences( + args: DeleteConnectionRecordingPreferencesCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: DeleteConnectionRecordingPreferencesCommandOutput) => void + ): void; + + /** + * @see {@link GetConnectionRecordingPreferencesCommand} + */ + getConnectionRecordingPreferences(): Promise; + getConnectionRecordingPreferences( + args: GetConnectionRecordingPreferencesCommandInput, + options?: __HttpHandlerOptions + ): Promise; + getConnectionRecordingPreferences( + args: GetConnectionRecordingPreferencesCommandInput, + cb: (err: any, data?: GetConnectionRecordingPreferencesCommandOutput) => void + ): void; + getConnectionRecordingPreferences( + args: GetConnectionRecordingPreferencesCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: GetConnectionRecordingPreferencesCommandOutput) => void + ): void; + + /** + * @see {@link UpdateConnectionRecordingPreferencesCommand} + */ + updateConnectionRecordingPreferences( + args: UpdateConnectionRecordingPreferencesCommandInput, + options?: __HttpHandlerOptions + ): Promise; + updateConnectionRecordingPreferences( + args: UpdateConnectionRecordingPreferencesCommandInput, + cb: (err: any, data?: UpdateConnectionRecordingPreferencesCommandOutput) => void + ): void; + updateConnectionRecordingPreferences( + args: UpdateConnectionRecordingPreferencesCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: UpdateConnectionRecordingPreferencesCommandOutput) => void + ): void; +} + +/** + * AWS Systems Manager GUI Connect + *

Systems Manager GUI Connect, a component of Fleet Manager, lets you connect to your Window + * Server-type Amazon Elastic Compute Cloud (Amazon EC2) instances using the Remote Desktop Protocol (RDP). GUI + * Connect, which is powered by Amazon DCV, provides you + * with secure connectivity to your Windows Server instances directly from the Systems Manager console. + * You can have up to four simultaneous connections in a single browser window. In the + * console, GUI Connect is also referred to as Fleet Manager Remote Desktop.

+ *

This reference is intended to be used with the + * Amazon Web Services Systems Manager User + * Guide + * . To get started, see the following user guide topics:

+ * + * @public + */ +export class SSMGuiConnect extends SSMGuiConnectClient implements SSMGuiConnect {} +createAggregatedClient(commands, SSMGuiConnect); diff --git a/clients/client-ssm-guiconnect/src/SSMGuiConnectClient.ts b/clients/client-ssm-guiconnect/src/SSMGuiConnectClient.ts new file mode 100644 index 000000000000..e98d379f9ecd --- /dev/null +++ b/clients/client-ssm-guiconnect/src/SSMGuiConnectClient.ts @@ -0,0 +1,362 @@ +// 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 { + defaultSSMGuiConnectHttpAuthSchemeParametersProvider, + HttpAuthSchemeInputConfig, + HttpAuthSchemeResolvedConfig, + resolveHttpAuthSchemeConfig, +} from "./auth/httpAuthSchemeProvider"; +import { + DeleteConnectionRecordingPreferencesCommandInput, + DeleteConnectionRecordingPreferencesCommandOutput, +} from "./commands/DeleteConnectionRecordingPreferencesCommand"; +import { + GetConnectionRecordingPreferencesCommandInput, + GetConnectionRecordingPreferencesCommandOutput, +} from "./commands/GetConnectionRecordingPreferencesCommand"; +import { + UpdateConnectionRecordingPreferencesCommandInput, + UpdateConnectionRecordingPreferencesCommandOutput, +} from "./commands/UpdateConnectionRecordingPreferencesCommand"; +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 = + | DeleteConnectionRecordingPreferencesCommandInput + | GetConnectionRecordingPreferencesCommandInput + | UpdateConnectionRecordingPreferencesCommandInput; + +/** + * @public + */ +export type ServiceOutputTypes = + | DeleteConnectionRecordingPreferencesCommandOutput + | GetConnectionRecordingPreferencesCommandOutput + | UpdateConnectionRecordingPreferencesCommandOutput; + +/** + * @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; + + /** + * Setting a client profile is similar to setting a value for the + * AWS_PROFILE environment variable. Setting a profile on a client + * in code only affects the single client instance, unlike AWS_PROFILE. + * + * When set, and only for environments where an AWS configuration + * file exists, fields configurable by this file will be retrieved + * from the specified profile within that file. + * Conflicting code configuration and environment variables will + * still have higher priority. + * + * For client credential resolution that involves checking the AWS + * configuration file, the client's profile (this value) will be + * used unless a different profile is set in the credential + * provider options. + * + */ + profile?: string; + + /** + * 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 SSMGuiConnectClientConfigType = Partial<__SmithyConfiguration<__HttpHandlerOptions>> & + ClientDefaults & + UserAgentInputConfig & + RetryInputConfig & + RegionInputConfig & + HostHeaderInputConfig & + EndpointInputConfig & + HttpAuthSchemeInputConfig & + ClientInputEndpointParameters; +/** + * @public + * + * The configuration interface of SSMGuiConnectClient class constructor that set the region, credentials and other options. + */ +export interface SSMGuiConnectClientConfig extends SSMGuiConnectClientConfigType {} + +/** + * @public + */ +export type SSMGuiConnectClientResolvedConfigType = __SmithyResolvedConfiguration<__HttpHandlerOptions> & + Required & + RuntimeExtensionsConfig & + UserAgentResolvedConfig & + RetryResolvedConfig & + RegionResolvedConfig & + HostHeaderResolvedConfig & + EndpointResolvedConfig & + HttpAuthSchemeResolvedConfig & + ClientResolvedEndpointParameters; +/** + * @public + * + * The resolved configuration interface of SSMGuiConnectClient class. This is resolved and normalized from the {@link SSMGuiConnectClientConfig | constructor configuration interface}. + */ +export interface SSMGuiConnectClientResolvedConfig extends SSMGuiConnectClientResolvedConfigType {} + +/** + * AWS Systems Manager GUI Connect + *

Systems Manager GUI Connect, a component of Fleet Manager, lets you connect to your Window + * Server-type Amazon Elastic Compute Cloud (Amazon EC2) instances using the Remote Desktop Protocol (RDP). GUI + * Connect, which is powered by Amazon DCV, provides you + * with secure connectivity to your Windows Server instances directly from the Systems Manager console. + * You can have up to four simultaneous connections in a single browser window. In the + * console, GUI Connect is also referred to as Fleet Manager Remote Desktop.

+ *

This reference is intended to be used with the + * Amazon Web Services Systems Manager User + * Guide + * . To get started, see the following user guide topics:

+ * + * @public + */ +export class SSMGuiConnectClient extends __Client< + __HttpHandlerOptions, + ServiceInputTypes, + ServiceOutputTypes, + SSMGuiConnectClientResolvedConfig +> { + /** + * The resolved configuration of SSMGuiConnectClient class. This is resolved and normalized from the {@link SSMGuiConnectClientConfig | constructor configuration interface}. + */ + readonly config: SSMGuiConnectClientResolvedConfig; + + constructor(...[configuration]: __CheckOptionalClientConfig) { + const _config_0 = __getRuntimeConfig(configuration || {}); + super(_config_0 as any); + this.initConfig = _config_0; + 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 || []); + 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: defaultSSMGuiConnectHttpAuthSchemeParametersProvider, + identityProviderConfigProvider: async (config: SSMGuiConnectClientResolvedConfig) => + 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-ssm-guiconnect/src/auth/httpAuthExtensionConfiguration.ts b/clients/client-ssm-guiconnect/src/auth/httpAuthExtensionConfiguration.ts new file mode 100644 index 000000000000..2e7c7ab38a08 --- /dev/null +++ b/clients/client-ssm-guiconnect/src/auth/httpAuthExtensionConfiguration.ts @@ -0,0 +1,72 @@ +// smithy-typescript generated code +import { AwsCredentialIdentity, AwsCredentialIdentityProvider, HttpAuthScheme } from "@smithy/types"; + +import { SSMGuiConnectHttpAuthSchemeProvider } from "./httpAuthSchemeProvider"; + +/** + * @internal + */ +export interface HttpAuthExtensionConfiguration { + setHttpAuthScheme(httpAuthScheme: HttpAuthScheme): void; + httpAuthSchemes(): HttpAuthScheme[]; + setHttpAuthSchemeProvider(httpAuthSchemeProvider: SSMGuiConnectHttpAuthSchemeProvider): void; + httpAuthSchemeProvider(): SSMGuiConnectHttpAuthSchemeProvider; + setCredentials(credentials: AwsCredentialIdentity | AwsCredentialIdentityProvider): void; + credentials(): AwsCredentialIdentity | AwsCredentialIdentityProvider | undefined; +} + +/** + * @internal + */ +export type HttpAuthRuntimeConfig = Partial<{ + httpAuthSchemes: HttpAuthScheme[]; + httpAuthSchemeProvider: SSMGuiConnectHttpAuthSchemeProvider; + 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: SSMGuiConnectHttpAuthSchemeProvider): void { + _httpAuthSchemeProvider = httpAuthSchemeProvider; + }, + httpAuthSchemeProvider(): SSMGuiConnectHttpAuthSchemeProvider { + 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-ssm-guiconnect/src/auth/httpAuthSchemeProvider.ts b/clients/client-ssm-guiconnect/src/auth/httpAuthSchemeProvider.ts new file mode 100644 index 000000000000..6b11a885b6b6 --- /dev/null +++ b/clients/client-ssm-guiconnect/src/auth/httpAuthSchemeProvider.ts @@ -0,0 +1,155 @@ +// smithy-typescript generated code +import { + AwsSdkSigV4AuthInputConfig, + AwsSdkSigV4AuthResolvedConfig, + AwsSdkSigV4PreviouslyResolved, + resolveAwsSdkSigV4Config, +} from "@aws-sdk/core"; +import { + HandlerExecutionContext, + HttpAuthOption, + HttpAuthScheme, + HttpAuthSchemeParameters, + HttpAuthSchemeParametersProvider, + HttpAuthSchemeProvider, + Provider, +} from "@smithy/types"; +import { getSmithyContext, normalizeProvider } from "@smithy/util-middleware"; + +import { SSMGuiConnectClientConfig, SSMGuiConnectClientResolvedConfig } from "../SSMGuiConnectClient"; + +/** + * @internal + */ +export interface SSMGuiConnectHttpAuthSchemeParameters extends HttpAuthSchemeParameters { + region?: string; +} + +/** + * @internal + */ +export interface SSMGuiConnectHttpAuthSchemeParametersProvider + extends HttpAuthSchemeParametersProvider< + SSMGuiConnectClientResolvedConfig, + HandlerExecutionContext, + SSMGuiConnectHttpAuthSchemeParameters, + object + > {} + +/** + * @internal + */ +export const defaultSSMGuiConnectHttpAuthSchemeParametersProvider = async ( + config: SSMGuiConnectClientResolvedConfig, + 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: SSMGuiConnectHttpAuthSchemeParameters): HttpAuthOption { + return { + schemeId: "aws.auth#sigv4", + signingProperties: { + name: "ssm-guiconnect", + region: authParameters.region, + }, + propertiesExtractor: (config: Partial, context) => ({ + /** + * @internal + */ + signingProperties: { + config, + context, + }, + }), + }; +} + +/** + * @internal + */ +export interface SSMGuiConnectHttpAuthSchemeProvider + extends HttpAuthSchemeProvider {} + +/** + * @internal + */ +export const defaultSSMGuiConnectHttpAuthSchemeProvider: SSMGuiConnectHttpAuthSchemeProvider = (authParameters) => { + const options: HttpAuthOption[] = []; + switch (authParameters.operation) { + default: { + options.push(createAwsAuthSigv4HttpAuthOption(authParameters)); + } + } + return options; +}; + +/** + * @internal + */ +export interface HttpAuthSchemeInputConfig extends AwsSdkSigV4AuthInputConfig { + /** + * A comma-separated list of case-sensitive auth scheme names. + * An auth scheme name is a fully qualified auth scheme ID with the namespace prefix trimmed. + * For example, the auth scheme with ID aws.auth#sigv4 is named sigv4. + * @public + */ + authSchemePreference?: string[] | Provider; + + /** + * 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?: SSMGuiConnectHttpAuthSchemeProvider; +} + +/** + * @internal + */ +export interface HttpAuthSchemeResolvedConfig extends AwsSdkSigV4AuthResolvedConfig { + /** + * A comma-separated list of case-sensitive auth scheme names. + * An auth scheme name is a fully qualified auth scheme ID with the namespace prefix trimmed. + * For example, the auth scheme with ID aws.auth#sigv4 is named sigv4. + * @public + */ + readonly authSchemePreference: Provider; + + /** + * 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: SSMGuiConnectHttpAuthSchemeProvider; +} + +/** + * @internal + */ +export const resolveHttpAuthSchemeConfig = ( + config: T & HttpAuthSchemeInputConfig & AwsSdkSigV4PreviouslyResolved +): T & HttpAuthSchemeResolvedConfig => { + const config_0 = resolveAwsSdkSigV4Config(config); + return Object.assign(config_0, { + authSchemePreference: normalizeProvider(config.authSchemePreference ?? []), + }) as T & HttpAuthSchemeResolvedConfig; +}; diff --git a/clients/client-ssm-guiconnect/src/commands/DeleteConnectionRecordingPreferencesCommand.ts b/clients/client-ssm-guiconnect/src/commands/DeleteConnectionRecordingPreferencesCommand.ts new file mode 100644 index 000000000000..622aca14e433 --- /dev/null +++ b/clients/client-ssm-guiconnect/src/commands/DeleteConnectionRecordingPreferencesCommand.ts @@ -0,0 +1,135 @@ +// 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 { + DeleteConnectionRecordingPreferencesRequest, + DeleteConnectionRecordingPreferencesResponse, +} from "../models/models_0"; +import { + de_DeleteConnectionRecordingPreferencesCommand, + se_DeleteConnectionRecordingPreferencesCommand, +} from "../protocols/Aws_restJson1"; +import { ServiceInputTypes, ServiceOutputTypes, SSMGuiConnectClientResolvedConfig } from "../SSMGuiConnectClient"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link DeleteConnectionRecordingPreferencesCommand}. + */ +export interface DeleteConnectionRecordingPreferencesCommandInput extends DeleteConnectionRecordingPreferencesRequest {} +/** + * @public + * + * The output of {@link DeleteConnectionRecordingPreferencesCommand}. + */ +export interface DeleteConnectionRecordingPreferencesCommandOutput + extends DeleteConnectionRecordingPreferencesResponse, + __MetadataBearer {} + +/** + *

Deletes the preferences for recording RDP connections.

+ * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { SSMGuiConnectClient, DeleteConnectionRecordingPreferencesCommand } from "@aws-sdk/client-ssm-guiconnect"; // ES Modules import + * // const { SSMGuiConnectClient, DeleteConnectionRecordingPreferencesCommand } = require("@aws-sdk/client-ssm-guiconnect"); // CommonJS import + * const client = new SSMGuiConnectClient(config); + * const input = { // DeleteConnectionRecordingPreferencesRequest + * ClientToken: "STRING_VALUE", + * }; + * const command = new DeleteConnectionRecordingPreferencesCommand(input); + * const response = await client.send(command); + * // { // DeleteConnectionRecordingPreferencesResponse + * // ClientToken: "STRING_VALUE", + * // }; + * + * ``` + * + * @param DeleteConnectionRecordingPreferencesCommandInput - {@link DeleteConnectionRecordingPreferencesCommandInput} + * @returns {@link DeleteConnectionRecordingPreferencesCommandOutput} + * @see {@link DeleteConnectionRecordingPreferencesCommandInput} for command's `input` shape. + * @see {@link DeleteConnectionRecordingPreferencesCommandOutput} for command's `response` shape. + * @see {@link SSMGuiConnectClientResolvedConfig | config} for SSMGuiConnectClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

You do not have sufficient access to perform this action.

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

An error occurred due to a conflict.

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

The request processing has failed because of an unknown error, exception or failure.

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

The resource could not be found.

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

Your request exceeds a service quota.

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

The request was denied due to request throttling.

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

The input fails to satisfy the constraints specified by an AWS service.

+ * + * @throws {@link SSMGuiConnectServiceException} + *

Base exception class for all service exceptions from SSMGuiConnect service.

+ * + * + * @example Delete the connection recording preferences for the account + * ```javascript + * // + * const input = { /* empty *\/ }; + * const command = new DeleteConnectionRecordingPreferencesCommand(input); + * const response = await client.send(command); + * /* response is + * { + * ClientToken: "sample_uuid" + * } + * *\/ + * ``` + * + * @public + */ +export class DeleteConnectionRecordingPreferencesCommand extends $Command + .classBuilder< + DeleteConnectionRecordingPreferencesCommandInput, + DeleteConnectionRecordingPreferencesCommandOutput, + SSMGuiConnectClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: SSMGuiConnectClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("SSMGuiConnect", "DeleteConnectionRecordingPreferences", {}) + .n("SSMGuiConnectClient", "DeleteConnectionRecordingPreferencesCommand") + .f(void 0, void 0) + .ser(se_DeleteConnectionRecordingPreferencesCommand) + .de(de_DeleteConnectionRecordingPreferencesCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: DeleteConnectionRecordingPreferencesRequest; + output: DeleteConnectionRecordingPreferencesResponse; + }; + sdk: { + input: DeleteConnectionRecordingPreferencesCommandInput; + output: DeleteConnectionRecordingPreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-guiconnect/src/commands/GetConnectionRecordingPreferencesCommand.ts b/clients/client-ssm-guiconnect/src/commands/GetConnectionRecordingPreferencesCommand.ts new file mode 100644 index 000000000000..b7d49f08975b --- /dev/null +++ b/clients/client-ssm-guiconnect/src/commands/GetConnectionRecordingPreferencesCommand.ts @@ -0,0 +1,152 @@ +// 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 { GetConnectionRecordingPreferencesResponse } from "../models/models_0"; +import { + de_GetConnectionRecordingPreferencesCommand, + se_GetConnectionRecordingPreferencesCommand, +} from "../protocols/Aws_restJson1"; +import { ServiceInputTypes, ServiceOutputTypes, SSMGuiConnectClientResolvedConfig } from "../SSMGuiConnectClient"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link GetConnectionRecordingPreferencesCommand}. + */ +export interface GetConnectionRecordingPreferencesCommandInput {} +/** + * @public + * + * The output of {@link GetConnectionRecordingPreferencesCommand}. + */ +export interface GetConnectionRecordingPreferencesCommandOutput + extends GetConnectionRecordingPreferencesResponse, + __MetadataBearer {} + +/** + *

Returns the preferences specified for recording RDP connections in the requesting Amazon Web Services account and Amazon Web Services Region.

+ * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { SSMGuiConnectClient, GetConnectionRecordingPreferencesCommand } from "@aws-sdk/client-ssm-guiconnect"; // ES Modules import + * // const { SSMGuiConnectClient, GetConnectionRecordingPreferencesCommand } = require("@aws-sdk/client-ssm-guiconnect"); // CommonJS import + * const client = new SSMGuiConnectClient(config); + * const input = {}; + * const command = new GetConnectionRecordingPreferencesCommand(input); + * const response = await client.send(command); + * // { // GetConnectionRecordingPreferencesResponse + * // ClientToken: "STRING_VALUE", + * // ConnectionRecordingPreferences: { // ConnectionRecordingPreferences + * // RecordingDestinations: { // RecordingDestinations + * // S3Buckets: [ // S3Buckets // required + * // { // S3Bucket + * // BucketOwner: "STRING_VALUE", // required + * // BucketName: "STRING_VALUE", // required + * // }, + * // ], + * // }, + * // KMSKeyArn: "STRING_VALUE", // required + * // }, + * // }; + * + * ``` + * + * @param GetConnectionRecordingPreferencesCommandInput - {@link GetConnectionRecordingPreferencesCommandInput} + * @returns {@link GetConnectionRecordingPreferencesCommandOutput} + * @see {@link GetConnectionRecordingPreferencesCommandInput} for command's `input` shape. + * @see {@link GetConnectionRecordingPreferencesCommandOutput} for command's `response` shape. + * @see {@link SSMGuiConnectClientResolvedConfig | config} for SSMGuiConnectClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

You do not have sufficient access to perform this action.

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

An error occurred due to a conflict.

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

The request processing has failed because of an unknown error, exception or failure.

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

The resource could not be found.

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

Your request exceeds a service quota.

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

The request was denied due to request throttling.

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

The input fails to satisfy the constraints specified by an AWS service.

+ * + * @throws {@link SSMGuiConnectServiceException} + *

Base exception class for all service exceptions from SSMGuiConnect service.

+ * + * + * @example Retrieves the connection recording preferences for the account + * ```javascript + * // + * const input = { /* empty *\/ }; + * const command = new GetConnectionRecordingPreferencesCommand(input); + * const response = await client.send(command); + * /* response is + * { + * ClientToken: "sample_uuid", + * ConnectionRecordingPreferences: { + * KMSKeyArn: "arn:aws:kms:region:account_id:key/sample_key_id", + * RecordingDestinations: { + * S3Buckets: [ + * { + * BucketName: "sample-connection-recording-bucket", + * BucketOwner: "123456789012" + * } + * ] + * } + * } + * } + * *\/ + * ``` + * + * @public + */ +export class GetConnectionRecordingPreferencesCommand extends $Command + .classBuilder< + GetConnectionRecordingPreferencesCommandInput, + GetConnectionRecordingPreferencesCommandOutput, + SSMGuiConnectClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: SSMGuiConnectClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("SSMGuiConnect", "GetConnectionRecordingPreferences", {}) + .n("SSMGuiConnectClient", "GetConnectionRecordingPreferencesCommand") + .f(void 0, void 0) + .ser(se_GetConnectionRecordingPreferencesCommand) + .de(de_GetConnectionRecordingPreferencesCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: {}; + output: GetConnectionRecordingPreferencesResponse; + }; + sdk: { + input: GetConnectionRecordingPreferencesCommandInput; + output: GetConnectionRecordingPreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-guiconnect/src/commands/UpdateConnectionRecordingPreferencesCommand.ts b/clients/client-ssm-guiconnect/src/commands/UpdateConnectionRecordingPreferencesCommand.ts new file mode 100644 index 000000000000..c0adead0d547 --- /dev/null +++ b/clients/client-ssm-guiconnect/src/commands/UpdateConnectionRecordingPreferencesCommand.ts @@ -0,0 +1,180 @@ +// 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 { + UpdateConnectionRecordingPreferencesRequest, + UpdateConnectionRecordingPreferencesResponse, +} from "../models/models_0"; +import { + de_UpdateConnectionRecordingPreferencesCommand, + se_UpdateConnectionRecordingPreferencesCommand, +} from "../protocols/Aws_restJson1"; +import { ServiceInputTypes, ServiceOutputTypes, SSMGuiConnectClientResolvedConfig } from "../SSMGuiConnectClient"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link UpdateConnectionRecordingPreferencesCommand}. + */ +export interface UpdateConnectionRecordingPreferencesCommandInput extends UpdateConnectionRecordingPreferencesRequest {} +/** + * @public + * + * The output of {@link UpdateConnectionRecordingPreferencesCommand}. + */ +export interface UpdateConnectionRecordingPreferencesCommandOutput + extends UpdateConnectionRecordingPreferencesResponse, + __MetadataBearer {} + +/** + *

Updates the preferences for recording RDP connections.

+ * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { SSMGuiConnectClient, UpdateConnectionRecordingPreferencesCommand } from "@aws-sdk/client-ssm-guiconnect"; // ES Modules import + * // const { SSMGuiConnectClient, UpdateConnectionRecordingPreferencesCommand } = require("@aws-sdk/client-ssm-guiconnect"); // CommonJS import + * const client = new SSMGuiConnectClient(config); + * const input = { // UpdateConnectionRecordingPreferencesRequest + * ConnectionRecordingPreferences: { // ConnectionRecordingPreferences + * RecordingDestinations: { // RecordingDestinations + * S3Buckets: [ // S3Buckets // required + * { // S3Bucket + * BucketOwner: "STRING_VALUE", // required + * BucketName: "STRING_VALUE", // required + * }, + * ], + * }, + * KMSKeyArn: "STRING_VALUE", // required + * }, + * ClientToken: "STRING_VALUE", + * }; + * const command = new UpdateConnectionRecordingPreferencesCommand(input); + * const response = await client.send(command); + * // { // UpdateConnectionRecordingPreferencesResponse + * // ClientToken: "STRING_VALUE", + * // ConnectionRecordingPreferences: { // ConnectionRecordingPreferences + * // RecordingDestinations: { // RecordingDestinations + * // S3Buckets: [ // S3Buckets // required + * // { // S3Bucket + * // BucketOwner: "STRING_VALUE", // required + * // BucketName: "STRING_VALUE", // required + * // }, + * // ], + * // }, + * // KMSKeyArn: "STRING_VALUE", // required + * // }, + * // }; + * + * ``` + * + * @param UpdateConnectionRecordingPreferencesCommandInput - {@link UpdateConnectionRecordingPreferencesCommandInput} + * @returns {@link UpdateConnectionRecordingPreferencesCommandOutput} + * @see {@link UpdateConnectionRecordingPreferencesCommandInput} for command's `input` shape. + * @see {@link UpdateConnectionRecordingPreferencesCommandOutput} for command's `response` shape. + * @see {@link SSMGuiConnectClientResolvedConfig | config} for SSMGuiConnectClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

You do not have sufficient access to perform this action.

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

An error occurred due to a conflict.

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

The request processing has failed because of an unknown error, exception or failure.

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

The resource could not be found.

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

Your request exceeds a service quota.

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

The request was denied due to request throttling.

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

The input fails to satisfy the constraints specified by an AWS service.

+ * + * @throws {@link SSMGuiConnectServiceException} + *

Base exception class for all service exceptions from SSMGuiConnect service.

+ * + * + * @example Updates the connection recording preferences for the account + * ```javascript + * // + * const input = { + * ConnectionRecordingPreferences: { + * KMSKeyArn: "arn:aws:kms:region:account_id:key/sample_key_id", + * RecordingDestinations: { + * S3Buckets: [ + * { + * BucketName: "sample-connection-recording-bucket", + * BucketOwner: "123456789012" + * } + * ] + * } + * } + * }; + * const command = new UpdateConnectionRecordingPreferencesCommand(input); + * const response = await client.send(command); + * /* response is + * { + * ClientToken: "sample_uuid", + * ConnectionRecordingPreferences: { + * KMSKeyArn: "arn:aws:kms:region:account_id:key/sample_key_id", + * RecordingDestinations: { + * S3Buckets: [ + * { + * BucketName: "sample-connection-recording-bucket", + * BucketOwner: "123456789012" + * } + * ] + * } + * } + * } + * *\/ + * ``` + * + * @public + */ +export class UpdateConnectionRecordingPreferencesCommand extends $Command + .classBuilder< + UpdateConnectionRecordingPreferencesCommandInput, + UpdateConnectionRecordingPreferencesCommandOutput, + SSMGuiConnectClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep(commonParams) + .m(function (this: any, Command: any, cs: any, config: SSMGuiConnectClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("SSMGuiConnect", "UpdateConnectionRecordingPreferences", {}) + .n("SSMGuiConnectClient", "UpdateConnectionRecordingPreferencesCommand") + .f(void 0, void 0) + .ser(se_UpdateConnectionRecordingPreferencesCommand) + .de(de_UpdateConnectionRecordingPreferencesCommand) + .build() { + /** @internal type navigation helper, not in runtime. */ + protected declare static __types: { + api: { + input: UpdateConnectionRecordingPreferencesRequest; + output: UpdateConnectionRecordingPreferencesResponse; + }; + sdk: { + input: UpdateConnectionRecordingPreferencesCommandInput; + output: UpdateConnectionRecordingPreferencesCommandOutput; + }; + }; +} diff --git a/clients/client-ssm-guiconnect/src/commands/index.ts b/clients/client-ssm-guiconnect/src/commands/index.ts new file mode 100644 index 000000000000..84212dc0d3b0 --- /dev/null +++ b/clients/client-ssm-guiconnect/src/commands/index.ts @@ -0,0 +1,4 @@ +// smithy-typescript generated code +export * from "./DeleteConnectionRecordingPreferencesCommand"; +export * from "./GetConnectionRecordingPreferencesCommand"; +export * from "./UpdateConnectionRecordingPreferencesCommand"; diff --git a/clients/client-ssm-guiconnect/src/endpoint/EndpointParameters.ts b/clients/client-ssm-guiconnect/src/endpoint/EndpointParameters.ts new file mode 100644 index 000000000000..732507ad7ea1 --- /dev/null +++ b/clients/client-ssm-guiconnect/src/endpoint/EndpointParameters.ts @@ -0,0 +1,40 @@ +// 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 Object.assign(options, { + useDualstackEndpoint: options.useDualstackEndpoint ?? false, + useFipsEndpoint: options.useFipsEndpoint ?? false, + defaultSigningName: "ssm-guiconnect", + }); +}; + +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-ssm-guiconnect/src/endpoint/endpointResolver.ts b/clients/client-ssm-guiconnect/src/endpoint/endpointResolver.ts new file mode 100644 index 000000000000..ccee107f30d6 --- /dev/null +++ b/clients/client-ssm-guiconnect/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-ssm-guiconnect/src/endpoint/ruleset.ts b/clients/client-ssm-guiconnect/src/endpoint/ruleset.ts new file mode 100644 index 000000000000..541c4112f611 --- /dev/null +++ b/clients/client-ssm-guiconnect/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/ssm-guiconnect.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://ssm-guiconnect-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://ssm-guiconnect-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://ssm-guiconnect.{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://ssm-guiconnect.{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-ssm-guiconnect/src/extensionConfiguration.ts b/clients/client-ssm-guiconnect/src/extensionConfiguration.ts new file mode 100644 index 000000000000..a65d94c98892 --- /dev/null +++ b/clients/client-ssm-guiconnect/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 SSMGuiConnectExtensionConfiguration + extends HttpHandlerExtensionConfiguration, + DefaultExtensionConfiguration, + AwsRegionExtensionConfiguration, + HttpAuthExtensionConfiguration {} diff --git a/clients/client-ssm-guiconnect/src/index.ts b/clients/client-ssm-guiconnect/src/index.ts new file mode 100644 index 000000000000..6824484c430f --- /dev/null +++ b/clients/client-ssm-guiconnect/src/index.ts @@ -0,0 +1,39 @@ +// smithy-typescript generated code +/* eslint-disable */ +/** + * AWS Systems Manager GUI Connect + *

Systems Manager GUI Connect, a component of Fleet Manager, lets you connect to your Window + * Server-type Amazon Elastic Compute Cloud (Amazon EC2) instances using the Remote Desktop Protocol (RDP). GUI + * Connect, which is powered by Amazon DCV, provides you + * with secure connectivity to your Windows Server instances directly from the Systems Manager console. + * You can have up to four simultaneous connections in a single browser window. In the + * console, GUI Connect is also referred to as Fleet Manager Remote Desktop.

+ *

This reference is intended to be used with the + * Amazon Web Services Systems Manager User + * Guide + * . To get started, see the following user guide topics:

+ * + * + * @packageDocumentation + */ +export * from "./SSMGuiConnectClient"; +export * from "./SSMGuiConnect"; +export { ClientInputEndpointParameters } from "./endpoint/EndpointParameters"; +export type { RuntimeExtension } from "./runtimeExtensions"; +export type { SSMGuiConnectExtensionConfiguration } from "./extensionConfiguration"; +export * from "./commands"; +export * from "./models"; + +export { SSMGuiConnectServiceException } from "./models/SSMGuiConnectServiceException"; diff --git a/clients/client-ssm-guiconnect/src/models/SSMGuiConnectServiceException.ts b/clients/client-ssm-guiconnect/src/models/SSMGuiConnectServiceException.ts new file mode 100644 index 000000000000..010884eb7053 --- /dev/null +++ b/clients/client-ssm-guiconnect/src/models/SSMGuiConnectServiceException.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 SSMGuiConnect service. + */ +export class SSMGuiConnectServiceException extends __ServiceException { + /** + * @internal + */ + constructor(options: __ServiceExceptionOptions) { + super(options); + Object.setPrototypeOf(this, SSMGuiConnectServiceException.prototype); + } +} diff --git a/clients/client-ssm-guiconnect/src/models/index.ts b/clients/client-ssm-guiconnect/src/models/index.ts new file mode 100644 index 000000000000..9eaceb12865f --- /dev/null +++ b/clients/client-ssm-guiconnect/src/models/index.ts @@ -0,0 +1,2 @@ +// smithy-typescript generated code +export * from "./models_0"; diff --git a/clients/client-ssm-guiconnect/src/models/models_0.ts b/clients/client-ssm-guiconnect/src/models/models_0.ts new file mode 100644 index 000000000000..e1a1ac2ed31d --- /dev/null +++ b/clients/client-ssm-guiconnect/src/models/models_0.ts @@ -0,0 +1,265 @@ +// smithy-typescript generated code +import { ExceptionOptionType as __ExceptionOptionType } from "@smithy/smithy-client"; + +import { SSMGuiConnectServiceException as __BaseException } from "./SSMGuiConnectServiceException"; + +/** + *

You do not have sufficient access to perform this action.

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

An error occurred due to a conflict.

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

The S3 bucket where RDP connection recordings are stored.

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

The Amazon Web Services account number that owns the S3 bucket.

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

The name of the S3 bucket where RDP connection recordings are stored.

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

Determines where recordings of RDP connections are stored.

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

The S3 bucket where RDP connection recordings are stored.

+ * @public + */ + S3Buckets: S3Bucket[] | undefined; +} + +/** + *

The set of preferences used for recording RDP connections in the requesting Amazon Web Services account and Amazon Web Services Region. This includes details such as which S3 bucket recordings are stored in.

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

Determines where recordings of RDP connections are stored.

+ * @public + */ + RecordingDestinations: RecordingDestinations | undefined; + + /** + *

The ARN of a KMS key that is used to encrypt data while it is being processed by the service. This key must exist in the same Amazon Web Services Region as the node you start an RDP connection to.

+ * @public + */ + KMSKeyArn: string | undefined; +} + +/** + * @public + */ +export interface DeleteConnectionRecordingPreferencesRequest { + /** + *

User-provided idempotency token.

+ * @public + */ + ClientToken?: string | undefined; +} + +/** + * @public + */ +export interface DeleteConnectionRecordingPreferencesResponse { + /** + *

Service-provided idempotency token.

+ * @public + */ + ClientToken?: string | undefined; +} + +/** + *

The request processing has failed because of an unknown error, exception or failure.

+ * @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); + } +} + +/** + *

The resource could not be found.

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

Your request exceeds a service quota.

+ * @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 was denied due to request throttling.

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

The input fails to satisfy the constraints specified by an AWS service.

+ * @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 + */ +export interface GetConnectionRecordingPreferencesResponse { + /** + *

Service-provided idempotency token.

+ * @public + */ + ClientToken?: string | undefined; + + /** + *

The set of preferences used for recording RDP connections in the requesting Amazon Web Services account and Amazon Web Services Region. This includes details such as which S3 bucket recordings are stored in.

+ * @public + */ + ConnectionRecordingPreferences?: ConnectionRecordingPreferences | undefined; +} + +/** + * @public + */ +export interface UpdateConnectionRecordingPreferencesRequest { + /** + *

The set of preferences used for recording RDP connections in the requesting Amazon Web Services account and Amazon Web Services Region. This includes details such as which S3 bucket recordings are stored in.

+ * @public + */ + ConnectionRecordingPreferences: ConnectionRecordingPreferences | undefined; + + /** + *

User-provided idempotency token.

+ * @public + */ + ClientToken?: string | undefined; +} + +/** + * @public + */ +export interface UpdateConnectionRecordingPreferencesResponse { + /** + *

Service-provided idempotency token.

+ * @public + */ + ClientToken?: string | undefined; + + /** + *

The set of preferences used for recording RDP connections in the requesting Amazon Web Services account and Amazon Web Services Region. This includes details such as which S3 bucket recordings are stored in.

+ * @public + */ + ConnectionRecordingPreferences?: ConnectionRecordingPreferences | undefined; +} diff --git a/clients/client-ssm-guiconnect/src/protocols/Aws_restJson1.ts b/clients/client-ssm-guiconnect/src/protocols/Aws_restJson1.ts new file mode 100644 index 000000000000..b29d9e346787 --- /dev/null +++ b/clients/client-ssm-guiconnect/src/protocols/Aws_restJson1.ts @@ -0,0 +1,373 @@ +// 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, + expectNonNull as __expectNonNull, + expectObject as __expectObject, + expectString as __expectString, + map, + 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 { + DeleteConnectionRecordingPreferencesCommandInput, + DeleteConnectionRecordingPreferencesCommandOutput, +} from "../commands/DeleteConnectionRecordingPreferencesCommand"; +import { + GetConnectionRecordingPreferencesCommandInput, + GetConnectionRecordingPreferencesCommandOutput, +} from "../commands/GetConnectionRecordingPreferencesCommand"; +import { + UpdateConnectionRecordingPreferencesCommandInput, + UpdateConnectionRecordingPreferencesCommandOutput, +} from "../commands/UpdateConnectionRecordingPreferencesCommand"; +import { + AccessDeniedException, + ConflictException, + ConnectionRecordingPreferences, + InternalServerException, + RecordingDestinations, + ResourceNotFoundException, + S3Bucket, + ServiceQuotaExceededException, + ThrottlingException, + ValidationException, +} from "../models/models_0"; +import { SSMGuiConnectServiceException as __BaseException } from "../models/SSMGuiConnectServiceException"; + +/** + * serializeAws_restJson1DeleteConnectionRecordingPreferencesCommand + */ +export const se_DeleteConnectionRecordingPreferencesCommand = async ( + input: DeleteConnectionRecordingPreferencesCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/DeleteConnectionRecordingPreferences"); + let body: any; + body = JSON.stringify( + take(input, { + ClientToken: [true, (_) => _ ?? generateIdempotencyToken()], + }) + ); + b.m("POST").h(headers).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1GetConnectionRecordingPreferencesCommand + */ +export const se_GetConnectionRecordingPreferencesCommand = async ( + input: GetConnectionRecordingPreferencesCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = {}; + b.bp("/GetConnectionRecordingPreferences"); + let body: any; + b.m("POST").h(headers).b(body); + return b.build(); +}; + +/** + * serializeAws_restJson1UpdateConnectionRecordingPreferencesCommand + */ +export const se_UpdateConnectionRecordingPreferencesCommand = async ( + input: UpdateConnectionRecordingPreferencesCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const b = rb(input, context); + const headers: any = { + "content-type": "application/json", + }; + b.bp("/UpdateConnectionRecordingPreferences"); + let body: any; + body = JSON.stringify( + take(input, { + ClientToken: [true, (_) => _ ?? generateIdempotencyToken()], + ConnectionRecordingPreferences: (_) => _json(_), + }) + ); + b.m("POST").h(headers).b(body); + return b.build(); +}; + +/** + * deserializeAws_restJson1DeleteConnectionRecordingPreferencesCommand + */ +export const de_DeleteConnectionRecordingPreferencesCommand = 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, { + ClientToken: __expectString, + }); + Object.assign(contents, doc); + return contents; +}; + +/** + * deserializeAws_restJson1GetConnectionRecordingPreferencesCommand + */ +export const de_GetConnectionRecordingPreferencesCommand = 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, { + ClientToken: __expectString, + ConnectionRecordingPreferences: _json, + }); + Object.assign(contents, doc); + return contents; +}; + +/** + * deserializeAws_restJson1UpdateConnectionRecordingPreferencesCommand + */ +export const de_UpdateConnectionRecordingPreferencesCommand = 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, { + ClientToken: __expectString, + ConnectionRecordingPreferences: _json, + }); + Object.assign(contents, doc); + 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.ssmguiconnect#AccessDeniedException": + throw await de_AccessDeniedExceptionRes(parsedOutput, context); + case "ConflictException": + case "com.amazonaws.ssmguiconnect#ConflictException": + throw await de_ConflictExceptionRes(parsedOutput, context); + case "InternalServerException": + case "com.amazonaws.ssmguiconnect#InternalServerException": + throw await de_InternalServerExceptionRes(parsedOutput, context); + case "ResourceNotFoundException": + case "com.amazonaws.ssmguiconnect#ResourceNotFoundException": + throw await de_ResourceNotFoundExceptionRes(parsedOutput, context); + case "ServiceQuotaExceededException": + case "com.amazonaws.ssmguiconnect#ServiceQuotaExceededException": + throw await de_ServiceQuotaExceededExceptionRes(parsedOutput, context); + case "ThrottlingException": + case "com.amazonaws.ssmguiconnect#ThrottlingException": + throw await de_ThrottlingExceptionRes(parsedOutput, context); + case "ValidationException": + case "com.amazonaws.ssmguiconnect#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, + }); + 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_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_restJson1ServiceQuotaExceededExceptionRes + */ +const de_ServiceQuotaExceededExceptionRes = 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 ServiceQuotaExceededException({ + $metadata: deserializeMetadata(parsedOutput), + ...contents, + }); + return __decorateServiceException(exception, parsedOutput.body); +}; + +/** + * deserializeAws_restJson1ThrottlingExceptionRes + */ +const de_ThrottlingExceptionRes = 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 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, + }); + Object.assign(contents, doc); + const exception = new ValidationException({ + $metadata: deserializeMetadata(parsedOutput), + ...contents, + }); + return __decorateServiceException(exception, parsedOutput.body); +}; + +// se_ConnectionRecordingPreferences omitted. + +// se_RecordingDestinations omitted. + +// se_S3Bucket omitted. + +// se_S3Buckets omitted. + +// de_ConnectionRecordingPreferences omitted. + +// de_RecordingDestinations omitted. + +// de_S3Bucket omitted. + +// de_S3Buckets 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)); diff --git a/clients/client-ssm-guiconnect/src/runtimeConfig.browser.ts b/clients/client-ssm-guiconnect/src/runtimeConfig.browser.ts new file mode 100644 index 000000000000..9a4e5938863b --- /dev/null +++ b/clients/client-ssm-guiconnect/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 { createDefaultUserAgentProvider } 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 { SSMGuiConnectClientConfig } from "./SSMGuiConnectClient"; +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: SSMGuiConnectClientConfig) => { + 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 ?? + createDefaultUserAgentProvider({ 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-ssm-guiconnect/src/runtimeConfig.native.ts b/clients/client-ssm-guiconnect/src/runtimeConfig.native.ts new file mode 100644 index 000000000000..3dde11b932de --- /dev/null +++ b/clients/client-ssm-guiconnect/src/runtimeConfig.native.ts @@ -0,0 +1,18 @@ +// smithy-typescript generated code +import { Sha256 } from "@aws-crypto/sha256-js"; + +import { getRuntimeConfig as getBrowserRuntimeConfig } from "./runtimeConfig.browser"; +import { SSMGuiConnectClientConfig } from "./SSMGuiConnectClient"; + +/** + * @internal + */ +export const getRuntimeConfig = (config: SSMGuiConnectClientConfig) => { + const browserDefaults = getBrowserRuntimeConfig(config); + return { + ...browserDefaults, + ...config, + runtime: "react-native", + sha256: config?.sha256 ?? Sha256, + }; +}; diff --git a/clients/client-ssm-guiconnect/src/runtimeConfig.shared.ts b/clients/client-ssm-guiconnect/src/runtimeConfig.shared.ts new file mode 100644 index 000000000000..fad28fba9196 --- /dev/null +++ b/clients/client-ssm-guiconnect/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 { defaultSSMGuiConnectHttpAuthSchemeProvider } from "./auth/httpAuthSchemeProvider"; +import { defaultEndpointResolver } from "./endpoint/endpointResolver"; +import { SSMGuiConnectClientConfig } from "./SSMGuiConnectClient"; + +/** + * @internal + */ +export const getRuntimeConfig = (config: SSMGuiConnectClientConfig) => { + return { + apiVersion: "2021-05-01", + base64Decoder: config?.base64Decoder ?? fromBase64, + base64Encoder: config?.base64Encoder ?? toBase64, + disableHostPrefix: config?.disableHostPrefix ?? false, + endpointProvider: config?.endpointProvider ?? defaultEndpointResolver, + extensions: config?.extensions ?? [], + httpAuthSchemeProvider: config?.httpAuthSchemeProvider ?? defaultSSMGuiConnectHttpAuthSchemeProvider, + 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 ?? "SSM GuiConnect", + urlParser: config?.urlParser ?? parseUrl, + utf8Decoder: config?.utf8Decoder ?? fromUtf8, + utf8Encoder: config?.utf8Encoder ?? toUtf8, + }; +}; diff --git a/clients/client-ssm-guiconnect/src/runtimeConfig.ts b/clients/client-ssm-guiconnect/src/runtimeConfig.ts new file mode 100644 index 000000000000..59c299b7e75f --- /dev/null +++ b/clients/client-ssm-guiconnect/src/runtimeConfig.ts @@ -0,0 +1,69 @@ +// smithy-typescript generated code +// @ts-ignore: package.json will be imported from dist folders +import packageInfo from "../package.json"; // eslint-disable-line + +import { NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, emitWarningIfUnsupportedVersion as awsCheckVersion } from "@aws-sdk/core"; +import { defaultProvider as credentialDefaultProvider } from "@aws-sdk/credential-provider-node"; +import { NODE_APP_ID_CONFIG_OPTIONS, createDefaultUserAgentProvider } 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 { SSMGuiConnectClientConfig } from "./SSMGuiConnectClient"; +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: SSMGuiConnectClientConfig) => { + emitWarningIfUnsupportedVersion(process.version); + const defaultsMode = resolveDefaultsModeConfig(config); + const defaultConfigProvider = () => defaultsMode().then(loadConfigsForDefaultMode); + const clientSharedValues = getSharedRuntimeConfig(config); + awsCheckVersion(process.version); + const profileConfig = { profile: config?.profile }; + return { + ...clientSharedValues, + ...config, + runtime: "node", + defaultsMode, + authSchemePreference: + config?.authSchemePreference ?? loadNodeConfig(NODE_AUTH_SCHEME_PREFERENCE_OPTIONS, profileConfig), + bodyLengthChecker: config?.bodyLengthChecker ?? calculateBodyLength, + credentialDefaultProvider: config?.credentialDefaultProvider ?? credentialDefaultProvider, + defaultUserAgentProvider: + config?.defaultUserAgentProvider ?? + createDefaultUserAgentProvider({ serviceId: clientSharedValues.serviceId, clientVersion: packageInfo.version }), + maxAttempts: config?.maxAttempts ?? loadNodeConfig(NODE_MAX_ATTEMPT_CONFIG_OPTIONS, config), + region: + config?.region ?? + loadNodeConfig(NODE_REGION_CONFIG_OPTIONS, { ...NODE_REGION_CONFIG_FILE_OPTIONS, ...profileConfig }), + requestHandler: RequestHandler.create(config?.requestHandler ?? defaultConfigProvider), + retryMode: + config?.retryMode ?? + loadNodeConfig( + { + ...NODE_RETRY_MODE_CONFIG_OPTIONS, + default: async () => (await defaultConfigProvider()).retryMode || DEFAULT_RETRY_MODE, + }, + config + ), + sha256: config?.sha256 ?? Hash.bind(null, "sha256"), + streamCollector: config?.streamCollector ?? streamCollector, + useDualstackEndpoint: + config?.useDualstackEndpoint ?? loadNodeConfig(NODE_USE_DUALSTACK_ENDPOINT_CONFIG_OPTIONS, profileConfig), + useFipsEndpoint: config?.useFipsEndpoint ?? loadNodeConfig(NODE_USE_FIPS_ENDPOINT_CONFIG_OPTIONS, profileConfig), + userAgentAppId: config?.userAgentAppId ?? loadNodeConfig(NODE_APP_ID_CONFIG_OPTIONS, profileConfig), + }; +}; diff --git a/clients/client-ssm-guiconnect/src/runtimeExtensions.ts b/clients/client-ssm-guiconnect/src/runtimeExtensions.ts new file mode 100644 index 000000000000..a8cf8c9b7df5 --- /dev/null +++ b/clients/client-ssm-guiconnect/src/runtimeExtensions.ts @@ -0,0 +1,46 @@ +// 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 { SSMGuiConnectExtensionConfiguration } from "./extensionConfiguration"; + +/** + * @public + */ +export interface RuntimeExtension { + configure(extensionConfiguration: SSMGuiConnectExtensionConfiguration): void; +} + +/** + * @public + */ +export interface RuntimeExtensionsConfig { + extensions: RuntimeExtension[]; +} + +/** + * @internal + */ +export const resolveRuntimeExtensions = (runtimeConfig: any, extensions: RuntimeExtension[]) => { + const extensionConfiguration: SSMGuiConnectExtensionConfiguration = Object.assign( + getAwsRegionExtensionConfiguration(runtimeConfig), + getDefaultExtensionConfiguration(runtimeConfig), + getHttpHandlerExtensionConfiguration(runtimeConfig), + getHttpAuthExtensionConfiguration(runtimeConfig) + ); + + extensions.forEach((extension) => extension.configure(extensionConfiguration)); + + return Object.assign( + runtimeConfig, + resolveAwsRegionExtensionConfiguration(extensionConfiguration), + resolveDefaultRuntimeConfig(extensionConfiguration), + resolveHttpHandlerRuntimeConfig(extensionConfiguration), + resolveHttpAuthRuntimeConfig(extensionConfiguration) + ); +}; diff --git a/clients/client-ssm-guiconnect/tsconfig.cjs.json b/clients/client-ssm-guiconnect/tsconfig.cjs.json new file mode 100644 index 000000000000..3567d85ba846 --- /dev/null +++ b/clients/client-ssm-guiconnect/tsconfig.cjs.json @@ -0,0 +1,6 @@ +{ + "extends": "./tsconfig", + "compilerOptions": { + "outDir": "dist-cjs" + } +} diff --git a/clients/client-ssm-guiconnect/tsconfig.es.json b/clients/client-ssm-guiconnect/tsconfig.es.json new file mode 100644 index 000000000000..3e988e832617 --- /dev/null +++ b/clients/client-ssm-guiconnect/tsconfig.es.json @@ -0,0 +1,9 @@ +{ + "extends": "./tsconfig", + "compilerOptions": { + "lib": ["dom"], + "module": "ESNext", + "moduleResolution": "bundler", + "outDir": "dist-es" + } +} diff --git a/clients/client-ssm-guiconnect/tsconfig.json b/clients/client-ssm-guiconnect/tsconfig.json new file mode 100644 index 000000000000..956bed461a6c --- /dev/null +++ b/clients/client-ssm-guiconnect/tsconfig.json @@ -0,0 +1,13 @@ +{ + "extends": "@tsconfig/node18/tsconfig.json", + "compilerOptions": { + "downlevelIteration": true, + "importHelpers": true, + "incremental": true, + "removeComments": true, + "resolveJsonModule": true, + "rootDir": "src", + "useUnknownInCatchVariables": false + }, + "exclude": ["test/"] +} diff --git a/clients/client-ssm-guiconnect/tsconfig.types.json b/clients/client-ssm-guiconnect/tsconfig.types.json new file mode 100644 index 000000000000..4c3dfa7b3d25 --- /dev/null +++ b/clients/client-ssm-guiconnect/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/ssm-guiconnect.json b/codegen/sdk-codegen/aws-models/ssm-guiconnect.json new file mode 100644 index 000000000000..20e22728dacd --- /dev/null +++ b/codegen/sdk-codegen/aws-models/ssm-guiconnect.json @@ -0,0 +1,1318 @@ +{ + "smithy": "2.0", + "shapes": { + "com.amazonaws.ssmguiconnect#AccessDeniedException": { + "type": "structure", + "members": { + "message": { + "target": "com.amazonaws.ssmguiconnect#ErrorMessage", + "traits": { + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#documentation": "

You do not have sufficient access to perform this action.

", + "smithy.api#error": "client", + "smithy.api#httpError": 403 + } + }, + "com.amazonaws.ssmguiconnect#AccountId": { + "type": "string", + "traits": { + "smithy.api#pattern": "^[0-9]{12}$" + } + }, + "com.amazonaws.ssmguiconnect#BucketName": { + "type": "string", + "traits": { + "smithy.api#pattern": "(?=^.{3,63}$)(?!^(\\d+\\.)+\\d+$)(^(([a-z0-9]|[a-z0-9][a-z0-9\\-]*[a-z0-9])\\.)*([a-z0-9]|[a-z0-9][a-z0-9\\-]*[a-z0-9])$)" + } + }, + "com.amazonaws.ssmguiconnect#ClientToken": { + "type": "string", + "traits": { + "smithy.api#length": { + "min": 1, + "max": 64 + } + } + }, + "com.amazonaws.ssmguiconnect#ConflictException": { + "type": "structure", + "members": { + "message": { + "target": "com.amazonaws.ssmguiconnect#ErrorMessage", + "traits": { + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#documentation": "

An error occurred due to a conflict.

", + "smithy.api#error": "client", + "smithy.api#httpError": 409 + } + }, + "com.amazonaws.ssmguiconnect#Connection": { + "type": "resource", + "identifiers": { + "ConnectionArn": { + "target": "com.amazonaws.ssmguiconnect#ConnectionArn" + } + } + }, + "com.amazonaws.ssmguiconnect#ConnectionAccess": { + "type": "resource", + "identifiers": { + "ConnectionToken": { + "target": "com.amazonaws.ssmguiconnect#ConnectionToken" + } + } + }, + "com.amazonaws.ssmguiconnect#ConnectionArn": { + "type": "string" + }, + "com.amazonaws.ssmguiconnect#ConnectionPreferences": { + "type": "resource", + "identifiers": { + "AccountId": { + "target": "com.amazonaws.ssmguiconnect#AccountId" + } + } + }, + "com.amazonaws.ssmguiconnect#ConnectionRecordingPreferences": { + "type": "structure", + "members": { + "RecordingDestinations": { + "target": "com.amazonaws.ssmguiconnect#RecordingDestinations", + "traits": { + "smithy.api#documentation": "

Determines where recordings of RDP connections are stored.

", + "smithy.api#required": {} + } + }, + "KMSKeyArn": { + "target": "smithy.api#String", + "traits": { + "smithy.api#documentation": "

The ARN of a KMS key that is used to encrypt data while it is being processed by the service. This key must exist in the same Amazon Web Services Region as the node you start an RDP connection to.

", + "smithy.api#length": { + "min": 1, + "max": 2048 + }, + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#documentation": "

The set of preferences used for recording RDP connections in the requesting Amazon Web Services account and Amazon Web Services Region. This includes details such as which S3 bucket recordings are stored in.

" + } + }, + "com.amazonaws.ssmguiconnect#ConnectionToken": { + "type": "string", + "traits": { + "smithy.api#pattern": "^[a-f0-9]{8}-[a-f0-9]{4}-4[a-f0-9]{3}-[89ab][a-f0-9]{3}-[a-f0-9]{12}_[a-f0-9]{8}-[a-f0-9]{4}-4[a-f0-9]{3}-[89ab][a-f0-9]{3}-[a-f0-9]{12}$" + } + }, + "com.amazonaws.ssmguiconnect#ConnectionsCollection": { + "type": "resource", + "identifiers": { + "AccountId": { + "target": "com.amazonaws.ssmguiconnect#AccountId" + } + } + }, + "com.amazonaws.ssmguiconnect#DeleteConnectionRecordingPreferences": { + "type": "operation", + "input": { + "target": "com.amazonaws.ssmguiconnect#DeleteConnectionRecordingPreferencesRequest" + }, + "output": { + "target": "com.amazonaws.ssmguiconnect#DeleteConnectionRecordingPreferencesResponse" + }, + "errors": [ + { + "target": "com.amazonaws.ssmguiconnect#AccessDeniedException" + }, + { + "target": "com.amazonaws.ssmguiconnect#ConflictException" + }, + { + "target": "com.amazonaws.ssmguiconnect#InternalServerException" + }, + { + "target": "com.amazonaws.ssmguiconnect#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.ssmguiconnect#ServiceQuotaExceededException" + }, + { + "target": "com.amazonaws.ssmguiconnect#ThrottlingException" + }, + { + "target": "com.amazonaws.ssmguiconnect#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

Deletes the preferences for recording RDP connections.

", + "smithy.api#examples": [ + { + "title": "Delete the connection recording preferences for the account", + "input": {}, + "output": { + "ClientToken": "sample_uuid" + } + } + ], + "smithy.api#http": { + "uri": "/DeleteConnectionRecordingPreferences", + "method": "POST" + }, + "smithy.api#idempotent": {}, + "smithy.test#smokeTests": [ + { + "id": "DeleteConnectionRecordingPreferencesSuccess", + "params": {}, + "expect": { + "success": {} + }, + "vendorParamsShape": "aws.test#AwsVendorParams", + "vendorParams": { + "region": "us-east-1" + } + } + ] + } + }, + "com.amazonaws.ssmguiconnect#DeleteConnectionRecordingPreferencesRequest": { + "type": "structure", + "members": { + "ClientToken": { + "target": "com.amazonaws.ssmguiconnect#ClientToken", + "traits": { + "smithy.api#documentation": "

User-provided idempotency token.

", + "smithy.api#idempotencyToken": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.ssmguiconnect#DeleteConnectionRecordingPreferencesResponse": { + "type": "structure", + "members": { + "ClientToken": { + "target": "com.amazonaws.ssmguiconnect#ClientToken", + "traits": { + "smithy.api#documentation": "

Service-provided idempotency token.

" + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.ssmguiconnect#ErrorMessage": { + "type": "string" + }, + "com.amazonaws.ssmguiconnect#GetConnectionRecordingPreferences": { + "type": "operation", + "input": { + "target": "smithy.api#Unit" + }, + "output": { + "target": "com.amazonaws.ssmguiconnect#GetConnectionRecordingPreferencesResponse" + }, + "errors": [ + { + "target": "com.amazonaws.ssmguiconnect#AccessDeniedException" + }, + { + "target": "com.amazonaws.ssmguiconnect#ConflictException" + }, + { + "target": "com.amazonaws.ssmguiconnect#InternalServerException" + }, + { + "target": "com.amazonaws.ssmguiconnect#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.ssmguiconnect#ServiceQuotaExceededException" + }, + { + "target": "com.amazonaws.ssmguiconnect#ThrottlingException" + }, + { + "target": "com.amazonaws.ssmguiconnect#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

Returns the preferences specified for recording RDP connections in the requesting Amazon Web Services account and Amazon Web Services Region.

", + "smithy.api#examples": [ + { + "title": "Retrieves the connection recording preferences for the account", + "output": { + "ConnectionRecordingPreferences": { + "RecordingDestinations": { + "S3Buckets": [ + { + "BucketOwner": "123456789012", + "BucketName": "sample-connection-recording-bucket" + } + ] + }, + "KMSKeyArn": "arn:aws:kms:region:account_id:key/sample_key_id" + }, + "ClientToken": "sample_uuid" + } + } + ], + "smithy.api#http": { + "uri": "/GetConnectionRecordingPreferences", + "method": "POST" + }, + "smithy.api#readonly": {}, + "smithy.test#smokeTests": [ + { + "id": "GetConnectionRecordingPreferencesSuccess", + "params": {}, + "expect": { + "success": {} + }, + "vendorParamsShape": "aws.test#AwsVendorParams", + "vendorParams": { + "region": "us-east-1" + } + } + ] + } + }, + "com.amazonaws.ssmguiconnect#GetConnectionRecordingPreferencesResponse": { + "type": "structure", + "members": { + "ClientToken": { + "target": "com.amazonaws.ssmguiconnect#ClientToken", + "traits": { + "smithy.api#documentation": "

Service-provided idempotency token.

" + } + }, + "ConnectionRecordingPreferences": { + "target": "com.amazonaws.ssmguiconnect#ConnectionRecordingPreferences", + "traits": { + "smithy.api#documentation": "

The set of preferences used for recording RDP connections in the requesting Amazon Web Services account and Amazon Web Services Region. This includes details such as which S3 bucket recordings are stored in.

" + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.ssmguiconnect#InternalServerException": { + "type": "structure", + "members": { + "message": { + "target": "com.amazonaws.ssmguiconnect#ErrorMessage", + "traits": { + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#documentation": "

The request processing has failed because of an unknown error, exception or failure.

", + "smithy.api#error": "server", + "smithy.api#httpError": 500 + } + }, + "com.amazonaws.ssmguiconnect#ModifyConnectionPreferences": { + "type": "resource" + }, + "com.amazonaws.ssmguiconnect#ModifyRecordingPreferences": { + "type": "resource", + "read": { + "target": "com.amazonaws.ssmguiconnect#GetConnectionRecordingPreferences" + }, + "delete": { + "target": "com.amazonaws.ssmguiconnect#DeleteConnectionRecordingPreferences" + } + }, + "com.amazonaws.ssmguiconnect#RecordingDestinations": { + "type": "structure", + "members": { + "S3Buckets": { + "target": "com.amazonaws.ssmguiconnect#S3Buckets", + "traits": { + "smithy.api#documentation": "

The S3 bucket where RDP connection recordings are stored.

", + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#documentation": "

Determines where recordings of RDP connections are stored.

" + } + }, + "com.amazonaws.ssmguiconnect#RecordingPreferences": { + "type": "resource", + "identifiers": { + "AccountId": { + "target": "com.amazonaws.ssmguiconnect#AccountId" + } + }, + "create": { + "target": "com.amazonaws.ssmguiconnect#UpdateConnectionRecordingPreferences" + } + }, + "com.amazonaws.ssmguiconnect#ResourceNotFoundException": { + "type": "structure", + "members": { + "message": { + "target": "com.amazonaws.ssmguiconnect#ErrorMessage", + "traits": { + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#documentation": "

The resource could not be found.

", + "smithy.api#error": "client", + "smithy.api#httpError": 404 + } + }, + "com.amazonaws.ssmguiconnect#S3Bucket": { + "type": "structure", + "members": { + "BucketOwner": { + "target": "com.amazonaws.ssmguiconnect#AccountId", + "traits": { + "smithy.api#documentation": "

The Amazon Web Services account number that owns the S3 bucket.

", + "smithy.api#required": {} + } + }, + "BucketName": { + "target": "com.amazonaws.ssmguiconnect#BucketName", + "traits": { + "smithy.api#documentation": "

The name of the S3 bucket where RDP connection recordings are stored.

", + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#documentation": "

The S3 bucket where RDP connection recordings are stored.

" + } + }, + "com.amazonaws.ssmguiconnect#S3Buckets": { + "type": "list", + "member": { + "target": "com.amazonaws.ssmguiconnect#S3Bucket" + }, + "traits": { + "smithy.api#length": { + "min": 1, + "max": 1 + } + } + }, + "com.amazonaws.ssmguiconnect#SSMGuiConnect": { + "type": "service", + "version": "2021-05-01", + "resources": [ + { + "target": "com.amazonaws.ssmguiconnect#Connection" + }, + { + "target": "com.amazonaws.ssmguiconnect#ConnectionAccess" + }, + { + "target": "com.amazonaws.ssmguiconnect#ConnectionPreferences" + }, + { + "target": "com.amazonaws.ssmguiconnect#ConnectionsCollection" + }, + { + "target": "com.amazonaws.ssmguiconnect#ModifyConnectionPreferences" + }, + { + "target": "com.amazonaws.ssmguiconnect#ModifyRecordingPreferences" + }, + { + "target": "com.amazonaws.ssmguiconnect#RecordingPreferences" + } + ], + "traits": { + "aws.api#controlPlane": {}, + "aws.api#service": { + "sdkId": "SSM GuiConnect", + "arnNamespace": "ssm-guiconnect" + }, + "aws.auth#sigv4": { + "name": "ssm-guiconnect" + }, + "aws.protocols#restJson1": {}, + "smithy.api#cors": { + "additionalAllowedHeaders": [ + "*", + "content-type", + "x-amz-content-sha256", + "x-amz-user-agent", + "x-amzn-platform-id", + "x-amzn-trace-id" + ], + "additionalExposedHeaders": ["x-amzn-errortype", "x-amzn-requestid", "x-amzn-trace-id"], + "maxAge": 86400 + }, + "smithy.api#documentation": "AWS Systems Manager GUI Connect\n

Systems Manager GUI Connect, a component of Fleet Manager, lets you connect to your Window\n Server-type Amazon Elastic Compute Cloud (Amazon EC2) instances using the Remote Desktop Protocol (RDP). GUI\n Connect, which is powered by Amazon DCV, provides you\n with secure connectivity to your Windows Server instances directly from the Systems Manager console.\n You can have up to four simultaneous connections in a single browser window. In the\n console, GUI Connect is also referred to as Fleet Manager Remote Desktop.

\n

This reference is intended to be used with the \n Amazon Web Services Systems Manager User\n Guide\n . To get started, see the following user guide topics:

\n ", + "smithy.api#title": "AWS SSM-GUIConnect", + "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://ssm-guiconnect-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://ssm-guiconnect-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://ssm-guiconnect.{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://ssm-guiconnect.{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://ssm-guiconnect-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://ssm-guiconnect-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://ssm-guiconnect.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://ssm-guiconnect.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://ssm-guiconnect-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://ssm-guiconnect-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://ssm-guiconnect.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://ssm-guiconnect.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://ssm-guiconnect-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://ssm-guiconnect-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://ssm-guiconnect.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://ssm-guiconnect.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://ssm-guiconnect-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://ssm-guiconnect.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://ssm-guiconnect-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://ssm-guiconnect.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.ssmguiconnect#ServiceQuotaExceededException": { + "type": "structure", + "members": { + "message": { + "target": "com.amazonaws.ssmguiconnect#ErrorMessage", + "traits": { + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#documentation": "

Your request exceeds a service quota.

", + "smithy.api#error": "client", + "smithy.api#httpError": 402 + } + }, + "com.amazonaws.ssmguiconnect#ThrottlingException": { + "type": "structure", + "members": { + "message": { + "target": "com.amazonaws.ssmguiconnect#ErrorMessage", + "traits": { + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#documentation": "

The request was denied due to request throttling.

", + "smithy.api#error": "client", + "smithy.api#httpError": 429 + } + }, + "com.amazonaws.ssmguiconnect#UpdateConnectionRecordingPreferences": { + "type": "operation", + "input": { + "target": "com.amazonaws.ssmguiconnect#UpdateConnectionRecordingPreferencesRequest" + }, + "output": { + "target": "com.amazonaws.ssmguiconnect#UpdateConnectionRecordingPreferencesResponse" + }, + "errors": [ + { + "target": "com.amazonaws.ssmguiconnect#AccessDeniedException" + }, + { + "target": "com.amazonaws.ssmguiconnect#ConflictException" + }, + { + "target": "com.amazonaws.ssmguiconnect#InternalServerException" + }, + { + "target": "com.amazonaws.ssmguiconnect#ResourceNotFoundException" + }, + { + "target": "com.amazonaws.ssmguiconnect#ServiceQuotaExceededException" + }, + { + "target": "com.amazonaws.ssmguiconnect#ThrottlingException" + }, + { + "target": "com.amazonaws.ssmguiconnect#ValidationException" + } + ], + "traits": { + "smithy.api#documentation": "

Updates the preferences for recording RDP connections.

", + "smithy.api#examples": [ + { + "title": "Updates the connection recording preferences for the account", + "input": { + "ConnectionRecordingPreferences": { + "RecordingDestinations": { + "S3Buckets": [ + { + "BucketOwner": "123456789012", + "BucketName": "sample-connection-recording-bucket" + } + ] + }, + "KMSKeyArn": "arn:aws:kms:region:account_id:key/sample_key_id" + } + }, + "output": { + "ConnectionRecordingPreferences": { + "RecordingDestinations": { + "S3Buckets": [ + { + "BucketOwner": "123456789012", + "BucketName": "sample-connection-recording-bucket" + } + ] + }, + "KMSKeyArn": "arn:aws:kms:region:account_id:key/sample_key_id" + }, + "ClientToken": "sample_uuid" + } + } + ], + "smithy.api#http": { + "uri": "/UpdateConnectionRecordingPreferences", + "method": "POST" + }, + "smithy.api#idempotent": {}, + "smithy.test#smokeTests": [ + { + "id": "UpdateConnectionRecordingPreferencesSuccess", + "params": { + "ConnectionRecordingPreferences": { + "RecordingDestinations": { + "S3Buckets": [ + { + "BucketOwner": "111122223333", + "BucketName": "test-bucket" + } + ] + }, + "KMSKeyArn": "arn:aws:kms:us-east-1:111122223333:key/1234abcd-12ab-34cd-56ef-1234567890ab" + } + }, + "expect": { + "success": {} + }, + "vendorParamsShape": "aws.test#AwsVendorParams", + "vendorParams": { + "region": "us-east-1" + } + } + ] + } + }, + "com.amazonaws.ssmguiconnect#UpdateConnectionRecordingPreferencesRequest": { + "type": "structure", + "members": { + "ConnectionRecordingPreferences": { + "target": "com.amazonaws.ssmguiconnect#ConnectionRecordingPreferences", + "traits": { + "smithy.api#documentation": "

The set of preferences used for recording RDP connections in the requesting Amazon Web Services account and Amazon Web Services Region. This includes details such as which S3 bucket recordings are stored in.

", + "smithy.api#required": {} + } + }, + "ClientToken": { + "target": "com.amazonaws.ssmguiconnect#ClientToken", + "traits": { + "smithy.api#documentation": "

User-provided idempotency token.

", + "smithy.api#idempotencyToken": {} + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.ssmguiconnect#UpdateConnectionRecordingPreferencesResponse": { + "type": "structure", + "members": { + "ClientToken": { + "target": "com.amazonaws.ssmguiconnect#ClientToken", + "traits": { + "smithy.api#documentation": "

Service-provided idempotency token.

" + } + }, + "ConnectionRecordingPreferences": { + "target": "com.amazonaws.ssmguiconnect#ConnectionRecordingPreferences", + "traits": { + "smithy.api#documentation": "

The set of preferences used for recording RDP connections in the requesting Amazon Web Services account and Amazon Web Services Region. This includes details such as which S3 bucket recordings are stored in.

" + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, + "com.amazonaws.ssmguiconnect#ValidationException": { + "type": "structure", + "members": { + "message": { + "target": "com.amazonaws.ssmguiconnect#ErrorMessage", + "traits": { + "smithy.api#required": {} + } + } + }, + "traits": { + "smithy.api#documentation": "

The input fails to satisfy the constraints specified by an AWS service.

", + "smithy.api#error": "client", + "smithy.api#httpError": 400 + } + } + } +} From 219315ab1529dc1c61a280446f63ec9f3a526d0b Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 29 Apr 2025 18:10:02 +0000 Subject: [PATCH 09/12] feat(client-sagemaker): Introduced support for P5en instance types on SageMaker Studio for JupyterLab and CodeEditor applications. --- .../src/commands/CreateAppCommand.ts | 2 +- .../src/commands/CreateDomainCommand.ts | 12 ++++++------ .../src/commands/CreateSpaceCommand.ts | 8 ++++---- .../src/commands/CreateUserProfileCommand.ts | 12 ++++++------ .../src/commands/DescribeAppCommand.ts | 2 +- .../src/commands/DescribeDomainCommand.ts | 12 ++++++------ .../src/commands/DescribeSpaceCommand.ts | 8 ++++---- .../src/commands/DescribeUserProfileCommand.ts | 12 ++++++------ .../src/commands/ListAppsCommand.ts | 2 +- .../src/commands/UpdateDomainCommand.ts | 12 ++++++------ .../src/commands/UpdateSpaceCommand.ts | 8 ++++---- .../src/commands/UpdateUserProfileCommand.ts | 12 ++++++------ clients/client-sagemaker/src/models/models_0.ts | 1 + clients/client-sagemaker/src/models/models_2.ts | 2 +- clients/client-sagemaker/src/models/models_3.ts | 2 +- codegen/sdk-codegen/aws-models/sagemaker.json | 14 ++++++++------ 16 files changed, 62 insertions(+), 59 deletions(-) diff --git a/clients/client-sagemaker/src/commands/CreateAppCommand.ts b/clients/client-sagemaker/src/commands/CreateAppCommand.ts index 69e2232fd85b..39c014fdf75f 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.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", + * 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.p5en.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", * }, * RecoveryMode: true || false, diff --git a/clients/client-sagemaker/src/commands/CreateDomainCommand.ts b/clients/client-sagemaker/src/commands/CreateDomainCommand.ts index dbf176728a67..905546b44d38 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.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", + * 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.p5en.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.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", + * 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.p5en.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.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", + * 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.p5en.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.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", + * 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.p5en.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.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", + * 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.p5en.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: [ @@ -285,7 +285,7 @@ export interface CreateDomainCommandOutput extends CreateDomainResponse, __Metad * "JupyterServer" || "KernelGateway" || "DetailedProfiler" || "TensorBoard" || "CodeEditor" || "JupyterLab" || "RStudioServerPro" || "RSessionGateway" || "Canvas", * ], * HiddenInstanceTypes: [ // HiddenInstanceTypesList - * "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", + * "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.p5en.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", * ], * HiddenSageMakerImageVersionAliases: [ // HiddenSageMakerImageVersionAliasesList * { // HiddenSageMakerImage diff --git a/clients/client-sagemaker/src/commands/CreateSpaceCommand.ts b/clients/client-sagemaker/src/commands/CreateSpaceCommand.ts index 5b8e9cda4b92..fb767da9cfd3 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.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", + * 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.p5en.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.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", + * 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.p5en.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.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", + * 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.p5en.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.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", + * 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.p5en.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 d0f368eb978d..8533503fc9b7 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.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", + * 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.p5en.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.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", + * 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.p5en.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.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", + * 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.p5en.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.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", + * 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.p5en.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.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", + * 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.p5en.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: [ @@ -256,7 +256,7 @@ export interface CreateUserProfileCommandOutput extends CreateUserProfileRespons * "JupyterServer" || "KernelGateway" || "DetailedProfiler" || "TensorBoard" || "CodeEditor" || "JupyterLab" || "RStudioServerPro" || "RSessionGateway" || "Canvas", * ], * HiddenInstanceTypes: [ // HiddenInstanceTypesList - * "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", + * "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.p5en.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", * ], * HiddenSageMakerImageVersionAliases: [ // HiddenSageMakerImageVersionAliasesList * { // HiddenSageMakerImage diff --git a/clients/client-sagemaker/src/commands/DescribeAppCommand.ts b/clients/client-sagemaker/src/commands/DescribeAppCommand.ts index 2b3401556a61..1df829f721c5 100644 --- a/clients/client-sagemaker/src/commands/DescribeAppCommand.ts +++ b/clients/client-sagemaker/src/commands/DescribeAppCommand.ts @@ -61,7 +61,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.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", + * // 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.p5en.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", * // }, * // BuiltInLifecycleConfigArn: "STRING_VALUE", diff --git a/clients/client-sagemaker/src/commands/DescribeDomainCommand.ts b/clients/client-sagemaker/src/commands/DescribeDomainCommand.ts index f70d894494f0..77bfc161f841 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.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", + * // 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.p5en.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.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", + * // 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.p5en.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.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", + * // 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.p5en.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.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", + * // 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.p5en.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.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", + * // 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.p5en.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: [ @@ -257,7 +257,7 @@ export interface DescribeDomainCommandOutput extends DescribeDomainResponse, __M * // "JupyterServer" || "KernelGateway" || "DetailedProfiler" || "TensorBoard" || "CodeEditor" || "JupyterLab" || "RStudioServerPro" || "RSessionGateway" || "Canvas", * // ], * // HiddenInstanceTypes: [ // HiddenInstanceTypesList - * // "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", + * // "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.p5en.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", * // ], * // HiddenSageMakerImageVersionAliases: [ // HiddenSageMakerImageVersionAliasesList * // { // HiddenSageMakerImage diff --git a/clients/client-sagemaker/src/commands/DescribeSpaceCommand.ts b/clients/client-sagemaker/src/commands/DescribeSpaceCommand.ts index 5ddc8dd1765c..101ca52ed59a 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.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", + * // 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.p5en.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.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", + * // 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.p5en.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.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", + * // 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.p5en.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.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", + * // 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.p5en.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 fd6e3c0c98c2..f1476bb1132f 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.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", + * // 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.p5en.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.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", + * // 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.p5en.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.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", + * // 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.p5en.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.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", + * // 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.p5en.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.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", + * // 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.p5en.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: [ @@ -256,7 +256,7 @@ export interface DescribeUserProfileCommandOutput extends DescribeUserProfileRes * // "JupyterServer" || "KernelGateway" || "DetailedProfiler" || "TensorBoard" || "CodeEditor" || "JupyterLab" || "RStudioServerPro" || "RSessionGateway" || "Canvas", * // ], * // HiddenInstanceTypes: [ // HiddenInstanceTypesList - * // "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", + * // "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.p5en.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", * // ], * // HiddenSageMakerImageVersionAliases: [ // HiddenSageMakerImageVersionAliasesList * // { // HiddenSageMakerImage diff --git a/clients/client-sagemaker/src/commands/ListAppsCommand.ts b/clients/client-sagemaker/src/commands/ListAppsCommand.ts index 2acc73978d18..d808a1f07403 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.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", + * // 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.p5en.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 9991d4ab4e21..153e53de0467 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.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", + * 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.p5en.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.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", + * 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.p5en.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.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", + * 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.p5en.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.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", + * 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.p5en.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.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", + * 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.p5en.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: [ @@ -241,7 +241,7 @@ export interface UpdateDomainCommandOutput extends UpdateDomainResponse, __Metad * "JupyterServer" || "KernelGateway" || "DetailedProfiler" || "TensorBoard" || "CodeEditor" || "JupyterLab" || "RStudioServerPro" || "RSessionGateway" || "Canvas", * ], * HiddenInstanceTypes: [ // HiddenInstanceTypesList - * "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", + * "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.p5en.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", * ], * HiddenSageMakerImageVersionAliases: [ // HiddenSageMakerImageVersionAliasesList * { // HiddenSageMakerImage diff --git a/clients/client-sagemaker/src/commands/UpdateSpaceCommand.ts b/clients/client-sagemaker/src/commands/UpdateSpaceCommand.ts index fed4e5282a5e..4cd678b082be 100644 --- a/clients/client-sagemaker/src/commands/UpdateSpaceCommand.ts +++ b/clients/client-sagemaker/src/commands/UpdateSpaceCommand.ts @@ -47,7 +47,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.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", + * 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.p5en.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 @@ -64,7 +64,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.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", + * 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.p5en.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 @@ -83,7 +83,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.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", + * 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.p5en.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 @@ -97,7 +97,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.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", + * 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.p5en.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 7cfc86789f53..a630a04ba5e3 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.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", + * 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.p5en.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.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", + * 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.p5en.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.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", + * 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.p5en.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.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", + * 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.p5en.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.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", + * 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.p5en.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: [ @@ -242,7 +242,7 @@ export interface UpdateUserProfileCommandOutput extends UpdateUserProfileRespons * "JupyterServer" || "KernelGateway" || "DetailedProfiler" || "TensorBoard" || "CodeEditor" || "JupyterLab" || "RStudioServerPro" || "RSessionGateway" || "Canvas", * ], * HiddenInstanceTypes: [ // HiddenInstanceTypesList - * "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", + * "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.p5en.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", * ], * HiddenSageMakerImageVersionAliases: [ // HiddenSageMakerImageVersionAliasesList * { // HiddenSageMakerImage diff --git a/clients/client-sagemaker/src/models/models_0.ts b/clients/client-sagemaker/src/models/models_0.ts index e27b03cad074..5b4005d1c45f 100644 --- a/clients/client-sagemaker/src/models/models_0.ts +++ b/clients/client-sagemaker/src/models/models_0.ts @@ -4541,6 +4541,7 @@ export const AppInstanceType = { ML_P3_8XLARGE: "ml.p3.8xlarge", ML_P4DE_24XLARGE: "ml.p4de.24xlarge", ML_P4D_24XLARGE: "ml.p4d.24xlarge", + ML_P5EN_48XLARGE: "ml.p5en.48xlarge", ML_P5_48XLARGE: "ml.p5.48xlarge", ML_R5_12XLARGE: "ml.r5.12xlarge", ML_R5_16XLARGE: "ml.r5.16xlarge", diff --git a/clients/client-sagemaker/src/models/models_2.ts b/clients/client-sagemaker/src/models/models_2.ts index b3cb61df4ba1..7495c8cfd4f4 100644 --- a/clients/client-sagemaker/src/models/models_2.ts +++ b/clients/client-sagemaker/src/models/models_2.ts @@ -1942,7 +1942,7 @@ export interface CreateProjectInput { * Catalog.

* @public */ - ServiceCatalogProvisioningDetails: ServiceCatalogProvisioningDetails | undefined; + ServiceCatalogProvisioningDetails?: ServiceCatalogProvisioningDetails | undefined; /** *

An array of key-value pairs that you want to use to organize and track your Amazon Web Services diff --git a/clients/client-sagemaker/src/models/models_3.ts b/clients/client-sagemaker/src/models/models_3.ts index 0412fd623653..34c123f4f497 100644 --- a/clients/client-sagemaker/src/models/models_3.ts +++ b/clients/client-sagemaker/src/models/models_3.ts @@ -4720,7 +4720,7 @@ export interface DescribeProjectOutput { * Catalog.

* @public */ - ServiceCatalogProvisioningDetails: ServiceCatalogProvisioningDetails | undefined; + ServiceCatalogProvisioningDetails?: ServiceCatalogProvisioningDetails | undefined; /** *

Information about a provisioned service catalog product.

diff --git a/codegen/sdk-codegen/aws-models/sagemaker.json b/codegen/sdk-codegen/aws-models/sagemaker.json index 508d4fa898ab..4fbb037f3d13 100644 --- a/codegen/sdk-codegen/aws-models/sagemaker.json +++ b/codegen/sdk-codegen/aws-models/sagemaker.json @@ -1600,6 +1600,12 @@ "smithy.api#enumValue": "ml.p5.48xlarge" } }, + "ML_P5EN_48XLARGE": { + "target": "smithy.api#Unit", + "traits": { + "smithy.api#enumValue": "ml.p5en.48xlarge" + } + }, "ML_M6I_LARGE": { "target": "smithy.api#Unit", "traits": { @@ -14679,9 +14685,7 @@ "ServiceCatalogProvisioningDetails": { "target": "com.amazonaws.sagemaker#ServiceCatalogProvisioningDetails", "traits": { - "smithy.api#clientOptional": {}, - "smithy.api#documentation": "

The product ID and provisioning artifact ID to provision a service catalog. The provisioning \n artifact ID will default to the latest provisioning artifact ID of the product, if you don't \n provide the provisioning artifact ID. For more information, see What is Amazon Web Services Service\n Catalog.

", - "smithy.api#required": {} + "smithy.api#documentation": "

The product ID and provisioning artifact ID to provision a service catalog. The provisioning \n artifact ID will default to the latest provisioning artifact ID of the product, if you don't \n provide the provisioning artifact ID. For more information, see What is Amazon Web Services Service\n Catalog.

" } }, "Tags": { @@ -26323,9 +26327,7 @@ "ServiceCatalogProvisioningDetails": { "target": "com.amazonaws.sagemaker#ServiceCatalogProvisioningDetails", "traits": { - "smithy.api#clientOptional": {}, - "smithy.api#documentation": "

Information used to provision a service catalog product. For information, see What is Amazon Web Services Service\n Catalog.

", - "smithy.api#required": {} + "smithy.api#documentation": "

Information used to provision a service catalog product. For information, see What is Amazon Web Services Service\n Catalog.

" } }, "ServiceCatalogProvisionedProductDetails": { From 942b693219158c4ddd80be2a88424630220e5a34 Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 29 Apr 2025 18:10:02 +0000 Subject: [PATCH 10/12] feat(client-kinesis): Amazon KDS now supports tagging and attribute-based access control (ABAC) for enhanced fan-out consumers. --- clients/client-kinesis/README.md | 24 ++ clients/client-kinesis/src/Kinesis.ts | 54 +++++ clients/client-kinesis/src/KinesisClient.ts | 12 + .../src/commands/CreateStreamCommand.ts | 6 +- .../src/commands/GetRecordsCommand.ts | 4 + .../src/commands/GetShardIteratorCommand.ts | 4 + .../commands/ListTagsForResourceCommand.ts | 123 ++++++++++ .../src/commands/PutRecordCommand.ts | 4 + .../src/commands/PutRecordsCommand.ts | 4 + .../commands/RegisterStreamConsumerCommand.ts | 4 + .../src/commands/TagResourceCommand.ts | 118 ++++++++++ .../src/commands/UntagResourceCommand.ts | 118 ++++++++++ clients/client-kinesis/src/commands/index.ts | 3 + clients/client-kinesis/src/models/models_0.ts | 151 ++++++++---- .../src/protocols/Aws_json1_1.ts | 145 ++++++++++-- codegen/sdk-codegen/aws-models/kinesis.json | 218 +++++++++++++++++- 16 files changed, 922 insertions(+), 70 deletions(-) create mode 100644 clients/client-kinesis/src/commands/ListTagsForResourceCommand.ts create mode 100644 clients/client-kinesis/src/commands/TagResourceCommand.ts create mode 100644 clients/client-kinesis/src/commands/UntagResourceCommand.ts diff --git a/clients/client-kinesis/README.md b/clients/client-kinesis/README.md index 2068c8f36023..429d8e7e8571 100644 --- a/clients/client-kinesis/README.md +++ b/clients/client-kinesis/README.md @@ -357,6 +357,14 @@ ListStreams [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/kinesis/command/ListStreamsCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-kinesis/Interface/ListStreamsCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-kinesis/Interface/ListStreamsCommandOutput/) +
+
+ +ListTagsForResource + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/kinesis/command/ListTagsForResourceCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-kinesis/Interface/ListTagsForResourceCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-kinesis/Interface/ListTagsForResourceCommandOutput/) +
@@ -445,6 +453,22 @@ SubscribeToShard [Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/kinesis/command/SubscribeToShardCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-kinesis/Interface/SubscribeToShardCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-kinesis/Interface/SubscribeToShardCommandOutput/) +
+
+ +TagResource + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/kinesis/command/TagResourceCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-kinesis/Interface/TagResourceCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-kinesis/Interface/TagResourceCommandOutput/) + +
+
+ +UntagResource + + +[Command API Reference](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/client/kinesis/command/UntagResourceCommand/) / [Input](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-kinesis/Interface/UntagResourceCommandInput/) / [Output](https://docs.aws.amazon.com/AWSJavaScriptSDK/v3/latest/Package/-aws-sdk-client-kinesis/Interface/UntagResourceCommandOutput/) +
diff --git a/clients/client-kinesis/src/Kinesis.ts b/clients/client-kinesis/src/Kinesis.ts index e3d3c428d74c..1297759f27ae 100644 --- a/clients/client-kinesis/src/Kinesis.ts +++ b/clients/client-kinesis/src/Kinesis.ts @@ -85,6 +85,11 @@ import { ListStreamConsumersCommandOutput, } from "./commands/ListStreamConsumersCommand"; import { ListStreamsCommand, ListStreamsCommandInput, ListStreamsCommandOutput } from "./commands/ListStreamsCommand"; +import { + ListTagsForResourceCommand, + ListTagsForResourceCommandInput, + ListTagsForResourceCommandOutput, +} from "./commands/ListTagsForResourceCommand"; import { ListTagsForStreamCommand, ListTagsForStreamCommandInput, @@ -124,6 +129,12 @@ import { SubscribeToShardCommandInput, SubscribeToShardCommandOutput, } from "./commands/SubscribeToShardCommand"; +import { TagResourceCommand, TagResourceCommandInput, TagResourceCommandOutput } from "./commands/TagResourceCommand"; +import { + UntagResourceCommand, + UntagResourceCommandInput, + UntagResourceCommandOutput, +} from "./commands/UntagResourceCommand"; import { UpdateShardCountCommand, UpdateShardCountCommandInput, @@ -156,6 +167,7 @@ const commands = { ListShardsCommand, ListStreamConsumersCommand, ListStreamsCommand, + ListTagsForResourceCommand, ListTagsForStreamCommand, MergeShardsCommand, PutRecordCommand, @@ -167,6 +179,8 @@ const commands = { StartStreamEncryptionCommand, StopStreamEncryptionCommand, SubscribeToShardCommand, + TagResourceCommand, + UntagResourceCommand, UpdateShardCountCommand, UpdateStreamModeCommand, }; @@ -464,6 +478,24 @@ export interface Kinesis { cb: (err: any, data?: ListStreamsCommandOutput) => void ): void; + /** + * @see {@link ListTagsForResourceCommand} + */ + listTagsForResource(): Promise; + listTagsForResource( + args: ListTagsForResourceCommandInput, + options?: __HttpHandlerOptions + ): Promise; + listTagsForResource( + args: ListTagsForResourceCommandInput, + cb: (err: any, data?: ListTagsForResourceCommandOutput) => void + ): void; + listTagsForResource( + args: ListTagsForResourceCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: ListTagsForResourceCommandOutput) => void + ): void; + /** * @see {@link ListTagsForStreamCommand} */ @@ -628,6 +660,28 @@ export interface Kinesis { cb: (err: any, data?: SubscribeToShardCommandOutput) => void ): void; + /** + * @see {@link TagResourceCommand} + */ + tagResource(args: TagResourceCommandInput, options?: __HttpHandlerOptions): Promise; + tagResource(args: TagResourceCommandInput, cb: (err: any, data?: TagResourceCommandOutput) => void): void; + tagResource( + args: TagResourceCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: TagResourceCommandOutput) => void + ): void; + + /** + * @see {@link UntagResourceCommand} + */ + untagResource(args: UntagResourceCommandInput, options?: __HttpHandlerOptions): Promise; + untagResource(args: UntagResourceCommandInput, cb: (err: any, data?: UntagResourceCommandOutput) => void): void; + untagResource( + args: UntagResourceCommandInput, + options: __HttpHandlerOptions, + cb: (err: any, data?: UntagResourceCommandOutput) => void + ): void; + /** * @see {@link UpdateShardCountCommand} */ diff --git a/clients/client-kinesis/src/KinesisClient.ts b/clients/client-kinesis/src/KinesisClient.ts index 8fb4e7c3b2ef..699d35dca4fb 100644 --- a/clients/client-kinesis/src/KinesisClient.ts +++ b/clients/client-kinesis/src/KinesisClient.ts @@ -105,6 +105,10 @@ import { ListStreamConsumersCommandOutput, } from "./commands/ListStreamConsumersCommand"; import { ListStreamsCommandInput, ListStreamsCommandOutput } from "./commands/ListStreamsCommand"; +import { + ListTagsForResourceCommandInput, + ListTagsForResourceCommandOutput, +} from "./commands/ListTagsForResourceCommand"; import { ListTagsForStreamCommandInput, ListTagsForStreamCommandOutput } from "./commands/ListTagsForStreamCommand"; import { MergeShardsCommandInput, MergeShardsCommandOutput } from "./commands/MergeShardsCommand"; import { PutRecordCommandInput, PutRecordCommandOutput } from "./commands/PutRecordCommand"; @@ -128,6 +132,8 @@ import { StopStreamEncryptionCommandOutput, } from "./commands/StopStreamEncryptionCommand"; import { SubscribeToShardCommandInput, SubscribeToShardCommandOutput } from "./commands/SubscribeToShardCommand"; +import { TagResourceCommandInput, TagResourceCommandOutput } from "./commands/TagResourceCommand"; +import { UntagResourceCommandInput, UntagResourceCommandOutput } from "./commands/UntagResourceCommand"; import { UpdateShardCountCommandInput, UpdateShardCountCommandOutput } from "./commands/UpdateShardCountCommand"; import { UpdateStreamModeCommandInput, UpdateStreamModeCommandOutput } from "./commands/UpdateStreamModeCommand"; import { @@ -164,6 +170,7 @@ export type ServiceInputTypes = | ListShardsCommandInput | ListStreamConsumersCommandInput | ListStreamsCommandInput + | ListTagsForResourceCommandInput | ListTagsForStreamCommandInput | MergeShardsCommandInput | PutRecordCommandInput @@ -175,6 +182,8 @@ export type ServiceInputTypes = | StartStreamEncryptionCommandInput | StopStreamEncryptionCommandInput | SubscribeToShardCommandInput + | TagResourceCommandInput + | UntagResourceCommandInput | UpdateShardCountCommandInput | UpdateStreamModeCommandInput; @@ -201,6 +210,7 @@ export type ServiceOutputTypes = | ListShardsCommandOutput | ListStreamConsumersCommandOutput | ListStreamsCommandOutput + | ListTagsForResourceCommandOutput | ListTagsForStreamCommandOutput | MergeShardsCommandOutput | PutRecordCommandOutput @@ -212,6 +222,8 @@ export type ServiceOutputTypes = | StartStreamEncryptionCommandOutput | StopStreamEncryptionCommandOutput | SubscribeToShardCommandOutput + | TagResourceCommandOutput + | UntagResourceCommandOutput | UpdateShardCountCommandOutput | UpdateStreamModeCommandOutput; diff --git a/clients/client-kinesis/src/commands/CreateStreamCommand.ts b/clients/client-kinesis/src/commands/CreateStreamCommand.ts index 062cc768b19b..3553066a2806 100644 --- a/clients/client-kinesis/src/commands/CreateStreamCommand.ts +++ b/clients/client-kinesis/src/commands/CreateStreamCommand.ts @@ -72,11 +72,7 @@ export interface CreateStreamCommandOutput extends __MetadataBearer {} *

* CreateStream has a limit of five transactions per second per * account.

- *

You can add tags to the stream when making a CreateStream request by - * setting the Tags parameter. If you pass Tags parameter, in - * addition to having kinesis:createStream permission, you must also have - * kinesis:addTagsToStream permission for the stream that will be created. - * Tags will take effect from the CREATING status of the stream.

+ *

You can add tags to the stream when making a CreateStream request by setting the Tags parameter. If you pass the Tags parameter, in addition to having the kinesis:CreateStream permission, you must also have the kinesis:AddTagsToStream permission for the stream that will be created. The kinesis:TagResource permission won’t work to tag streams on creation. Tags will take effect from the CREATING status of the stream, but you can't make any updates to the tags until the stream is in ACTIVE state.

* @example * Use a bare-bones client and the command you need to make an API call. * ```javascript diff --git a/clients/client-kinesis/src/commands/GetRecordsCommand.ts b/clients/client-kinesis/src/commands/GetRecordsCommand.ts index 166409850262..9e841d0f670d 100644 --- a/clients/client-kinesis/src/commands/GetRecordsCommand.ts +++ b/clients/client-kinesis/src/commands/GetRecordsCommand.ts @@ -135,6 +135,10 @@ export interface GetRecordsCommandOutput extends GetRecordsOutput, __MetadataBea * @throws {@link ExpiredIteratorException} (client fault) *

The provided iterator exceeds the maximum age allowed.

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

The processing of the request failed because of an unknown error, exception, or + * failure.

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

A specified parameter exceeds its restrictions, is not supported, or can't be used. * For more information, see the returned message.

diff --git a/clients/client-kinesis/src/commands/GetShardIteratorCommand.ts b/clients/client-kinesis/src/commands/GetShardIteratorCommand.ts index 1c9cc7f62553..152c768a04a5 100644 --- a/clients/client-kinesis/src/commands/GetShardIteratorCommand.ts +++ b/clients/client-kinesis/src/commands/GetShardIteratorCommand.ts @@ -99,6 +99,10 @@ export interface GetShardIteratorCommandOutput extends GetShardIteratorOutput, _ *

Specifies that you do not have the permissions required to perform this * operation.

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

The processing of the request failed because of an unknown error, exception, or + * failure.

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

A specified parameter exceeds its restrictions, is not supported, or can't be used. * For more information, see the returned message.

diff --git a/clients/client-kinesis/src/commands/ListTagsForResourceCommand.ts b/clients/client-kinesis/src/commands/ListTagsForResourceCommand.ts new file mode 100644 index 000000000000..6cce688a5ca4 --- /dev/null +++ b/clients/client-kinesis/src/commands/ListTagsForResourceCommand.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 { KinesisClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../KinesisClient"; +import { ListTagsForResourceInput, ListTagsForResourceOutput } from "../models/models_0"; +import { de_ListTagsForResourceCommand, se_ListTagsForResourceCommand } from "../protocols/Aws_json1_1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link ListTagsForResourceCommand}. + */ +export interface ListTagsForResourceCommandInput extends ListTagsForResourceInput {} +/** + * @public + * + * The output of {@link ListTagsForResourceCommand}. + */ +export interface ListTagsForResourceCommandOutput extends ListTagsForResourceOutput, __MetadataBearer {} + +/** + *

List all tags added to the specified Kinesis resource. Each tag is a label consisting of a user-defined key and value. Tags can help you manage, identify, organize, search for, and filter resources.

+ *

For more information about tagging Kinesis resources, see Tag your Amazon Kinesis Data Streams resources.

+ * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { KinesisClient, ListTagsForResourceCommand } from "@aws-sdk/client-kinesis"; // ES Modules import + * // const { KinesisClient, ListTagsForResourceCommand } = require("@aws-sdk/client-kinesis"); // CommonJS import + * const client = new KinesisClient(config); + * const input = { // ListTagsForResourceInput + * ResourceARN: "STRING_VALUE", + * }; + * const command = new ListTagsForResourceCommand(input); + * const response = await client.send(command); + * // { // ListTagsForResourceOutput + * // Tags: [ // TagList + * // { // Tag + * // Key: "STRING_VALUE", // required + * // Value: "STRING_VALUE", + * // }, + * // ], + * // }; + * + * ``` + * + * @param ListTagsForResourceCommandInput - {@link ListTagsForResourceCommandInput} + * @returns {@link ListTagsForResourceCommandOutput} + * @see {@link ListTagsForResourceCommandInput} for command's `input` shape. + * @see {@link ListTagsForResourceCommandOutput} for command's `response` shape. + * @see {@link KinesisClientResolvedConfig | config} for KinesisClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

Specifies that you do not have the permissions required to perform this + * operation.

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

A specified parameter exceeds its restrictions, is not supported, or can't be used. + * For more information, see the returned message.

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

The requested resource exceeds the maximum number allowed, or the number of concurrent + * stream requests exceeds the maximum number allowed.

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

The resource is not available for this operation. For successful operation, the + * resource must be in the ACTIVE state.

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

The requested resource could not be found. The stream might not be specified + * correctly.

+ * + * @throws {@link KinesisServiceException} + *

Base exception class for all service exceptions from Kinesis service.

+ * + * + * @public + */ +export class ListTagsForResourceCommand extends $Command + .classBuilder< + ListTagsForResourceCommandInput, + ListTagsForResourceCommandOutput, + KinesisClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep({ + ...commonParams, + OperationType: { type: "staticContextParams", value: `control` }, + ResourceARN: { type: "contextParams", name: "ResourceARN" }, + }) + .m(function (this: any, Command: any, cs: any, config: KinesisClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("Kinesis_20131202", "ListTagsForResource", {}) + .n("KinesisClient", "ListTagsForResourceCommand") + .f(void 0, void 0) + .ser(se_ListTagsForResourceCommand) + .de(de_ListTagsForResourceCommand) + .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/src/commands/PutRecordCommand.ts b/clients/client-kinesis/src/commands/PutRecordCommand.ts index 5227a35499f4..dad716baf5a6 100644 --- a/clients/client-kinesis/src/commands/PutRecordCommand.ts +++ b/clients/client-kinesis/src/commands/PutRecordCommand.ts @@ -103,6 +103,10 @@ export interface PutRecordCommandOutput extends PutRecordOutput, __MetadataBeare *

Specifies that you do not have the permissions required to perform this * operation.

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

The processing of the request failed because of an unknown error, exception, or + * failure.

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

A specified parameter exceeds its restrictions, is not supported, or can't be used. * For more information, see the returned message.

diff --git a/clients/client-kinesis/src/commands/PutRecordsCommand.ts b/clients/client-kinesis/src/commands/PutRecordsCommand.ts index 44ad6374a008..a7e1213518cd 100644 --- a/clients/client-kinesis/src/commands/PutRecordsCommand.ts +++ b/clients/client-kinesis/src/commands/PutRecordsCommand.ts @@ -133,6 +133,10 @@ export interface PutRecordsCommandOutput extends PutRecordsOutput, __MetadataBea *

Specifies that you do not have the permissions required to perform this * operation.

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

The processing of the request failed because of an unknown error, exception, or + * failure.

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

A specified parameter exceeds its restrictions, is not supported, or can't be used. * For more information, see the returned message.

diff --git a/clients/client-kinesis/src/commands/RegisterStreamConsumerCommand.ts b/clients/client-kinesis/src/commands/RegisterStreamConsumerCommand.ts index 8f8d3edf8645..5123fcfc5e1d 100644 --- a/clients/client-kinesis/src/commands/RegisterStreamConsumerCommand.ts +++ b/clients/client-kinesis/src/commands/RegisterStreamConsumerCommand.ts @@ -33,6 +33,7 @@ export interface RegisterStreamConsumerCommandOutput extends RegisterStreamConsu * from the stream using enhanced fan-out, at a rate of up to 2 MiB per second for every * shard you subscribe to. This rate is unaffected by the total number of consumers that * read from the same stream.

+ *

You can add tags to the registered consumer when making a RegisterStreamConsumer request by setting the Tags parameter. If you pass the Tags parameter, in addition to having the kinesis:RegisterStreamConsumer permission, you must also have the kinesis:TagResource permission for the consumer that will be registered. Tags will take effect from the CREATING status of the consumer.

*

You can register up to 20 consumers per stream. A given consumer can only be * registered with one stream at a time.

*

For an example of how to use this operation, see Enhanced Fan-Out @@ -51,6 +52,9 @@ export interface RegisterStreamConsumerCommandOutput extends RegisterStreamConsu * const input = { // RegisterStreamConsumerInput * StreamARN: "STRING_VALUE", // required * ConsumerName: "STRING_VALUE", // required + * Tags: { // TagMap + * "": "STRING_VALUE", + * }, * }; * const command = new RegisterStreamConsumerCommand(input); * const response = await client.send(command); diff --git a/clients/client-kinesis/src/commands/TagResourceCommand.ts b/clients/client-kinesis/src/commands/TagResourceCommand.ts new file mode 100644 index 000000000000..88b68815976e --- /dev/null +++ b/clients/client-kinesis/src/commands/TagResourceCommand.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 { KinesisClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../KinesisClient"; +import { TagResourceInput } from "../models/models_0"; +import { de_TagResourceCommand, se_TagResourceCommand } from "../protocols/Aws_json1_1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link TagResourceCommand}. + */ +export interface TagResourceCommandInput extends TagResourceInput {} +/** + * @public + * + * The output of {@link TagResourceCommand}. + */ +export interface TagResourceCommandOutput extends __MetadataBearer {} + +/** + *

Adds or updates tags for the specified Kinesis resource. Each tag is a label consisting of a user-defined key and value. Tags can help you manage, identify, organize, search for, and filter resources. You can assign up to 50 tags to a Kinesis resource.

+ * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { KinesisClient, TagResourceCommand } from "@aws-sdk/client-kinesis"; // ES Modules import + * // const { KinesisClient, TagResourceCommand } = require("@aws-sdk/client-kinesis"); // CommonJS import + * const client = new KinesisClient(config); + * const input = { // TagResourceInput + * Tags: { // TagMap // required + * "": "STRING_VALUE", + * }, + * ResourceARN: "STRING_VALUE", + * }; + * const command = new TagResourceCommand(input); + * const response = await client.send(command); + * // {}; + * + * ``` + * + * @param TagResourceCommandInput - {@link TagResourceCommandInput} + * @returns {@link TagResourceCommandOutput} + * @see {@link TagResourceCommandInput} for command's `input` shape. + * @see {@link TagResourceCommandOutput} for command's `response` shape. + * @see {@link KinesisClientResolvedConfig | config} for KinesisClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

Specifies that you do not have the permissions required to perform this + * operation.

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

A specified parameter exceeds its restrictions, is not supported, or can't be used. + * For more information, see the returned message.

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

The requested resource exceeds the maximum number allowed, or the number of concurrent + * stream requests exceeds the maximum number allowed.

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

The resource is not available for this operation. For successful operation, the + * resource must be in the ACTIVE state.

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

The requested resource could not be found. The stream might not be specified + * correctly.

+ * + * @throws {@link KinesisServiceException} + *

Base exception class for all service exceptions from Kinesis service.

+ * + * + * @public + */ +export class TagResourceCommand extends $Command + .classBuilder< + TagResourceCommandInput, + TagResourceCommandOutput, + KinesisClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep({ + ...commonParams, + OperationType: { type: "staticContextParams", value: `control` }, + ResourceARN: { type: "contextParams", name: "ResourceARN" }, + }) + .m(function (this: any, Command: any, cs: any, config: KinesisClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("Kinesis_20131202", "TagResource", {}) + .n("KinesisClient", "TagResourceCommand") + .f(void 0, void 0) + .ser(se_TagResourceCommand) + .de(de_TagResourceCommand) + .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/src/commands/UntagResourceCommand.ts b/clients/client-kinesis/src/commands/UntagResourceCommand.ts new file mode 100644 index 000000000000..84fbbab46cc4 --- /dev/null +++ b/clients/client-kinesis/src/commands/UntagResourceCommand.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 { KinesisClientResolvedConfig, ServiceInputTypes, ServiceOutputTypes } from "../KinesisClient"; +import { UntagResourceInput } from "../models/models_0"; +import { de_UntagResourceCommand, se_UntagResourceCommand } from "../protocols/Aws_json1_1"; + +/** + * @public + */ +export type { __MetadataBearer }; +export { $Command }; +/** + * @public + * + * The input for {@link UntagResourceCommand}. + */ +export interface UntagResourceCommandInput extends UntagResourceInput {} +/** + * @public + * + * The output of {@link UntagResourceCommand}. + */ +export interface UntagResourceCommandOutput extends __MetadataBearer {} + +/** + *

Removes tags from the specified Kinesis resource. Removed tags are deleted and can't be recovered after this operation completes successfully.

+ * @example + * Use a bare-bones client and the command you need to make an API call. + * ```javascript + * import { KinesisClient, UntagResourceCommand } from "@aws-sdk/client-kinesis"; // ES Modules import + * // const { KinesisClient, UntagResourceCommand } = require("@aws-sdk/client-kinesis"); // CommonJS import + * const client = new KinesisClient(config); + * const input = { // UntagResourceInput + * TagKeys: [ // TagKeyList // required + * "STRING_VALUE", + * ], + * ResourceARN: "STRING_VALUE", + * }; + * const command = new UntagResourceCommand(input); + * const response = await client.send(command); + * // {}; + * + * ``` + * + * @param UntagResourceCommandInput - {@link UntagResourceCommandInput} + * @returns {@link UntagResourceCommandOutput} + * @see {@link UntagResourceCommandInput} for command's `input` shape. + * @see {@link UntagResourceCommandOutput} for command's `response` shape. + * @see {@link KinesisClientResolvedConfig | config} for KinesisClient's `config` shape. + * + * @throws {@link AccessDeniedException} (client fault) + *

Specifies that you do not have the permissions required to perform this + * operation.

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

A specified parameter exceeds its restrictions, is not supported, or can't be used. + * For more information, see the returned message.

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

The requested resource exceeds the maximum number allowed, or the number of concurrent + * stream requests exceeds the maximum number allowed.

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

The resource is not available for this operation. For successful operation, the + * resource must be in the ACTIVE state.

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

The requested resource could not be found. The stream might not be specified + * correctly.

+ * + * @throws {@link KinesisServiceException} + *

Base exception class for all service exceptions from Kinesis service.

+ * + * + * @public + */ +export class UntagResourceCommand extends $Command + .classBuilder< + UntagResourceCommandInput, + UntagResourceCommandOutput, + KinesisClientResolvedConfig, + ServiceInputTypes, + ServiceOutputTypes + >() + .ep({ + ...commonParams, + OperationType: { type: "staticContextParams", value: `control` }, + ResourceARN: { type: "contextParams", name: "ResourceARN" }, + }) + .m(function (this: any, Command: any, cs: any, config: KinesisClientResolvedConfig, o: any) { + return [ + getSerdePlugin(config, this.serialize, this.deserialize), + getEndpointPlugin(config, Command.getEndpointParameterInstructions()), + ]; + }) + .s("Kinesis_20131202", "UntagResource", {}) + .n("KinesisClient", "UntagResourceCommand") + .f(void 0, void 0) + .ser(se_UntagResourceCommand) + .de(de_UntagResourceCommand) + .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/src/commands/index.ts b/clients/client-kinesis/src/commands/index.ts index 6f4a99abcdea..9f81bb668e53 100644 --- a/clients/client-kinesis/src/commands/index.ts +++ b/clients/client-kinesis/src/commands/index.ts @@ -18,6 +18,7 @@ export * from "./IncreaseStreamRetentionPeriodCommand"; export * from "./ListShardsCommand"; export * from "./ListStreamConsumersCommand"; export * from "./ListStreamsCommand"; +export * from "./ListTagsForResourceCommand"; export * from "./ListTagsForStreamCommand"; export * from "./MergeShardsCommand"; export * from "./PutRecordCommand"; @@ -29,5 +30,7 @@ export * from "./SplitShardCommand"; export * from "./StartStreamEncryptionCommand"; export * from "./StopStreamEncryptionCommand"; export * from "./SubscribeToShardCommand"; +export * from "./TagResourceCommand"; +export * from "./UntagResourceCommand"; export * from "./UpdateShardCountCommand"; export * from "./UpdateStreamModeCommand"; diff --git a/clients/client-kinesis/src/models/models_0.ts b/clients/client-kinesis/src/models/models_0.ts index c449875457f9..bcff0158c463 100644 --- a/clients/client-kinesis/src/models/models_0.ts +++ b/clients/client-kinesis/src/models/models_0.ts @@ -36,7 +36,7 @@ export interface AddTagsToStreamInput { StreamName?: string | undefined; /** - *

A set of up to 10 key-value pairs to use to create the tags.

+ *

A set of up to 50 key-value pairs to use to create the tags. A tag consists of a required key and an optional value. You can add up to 50 tags per resource.

* @public */ Tags: Record | undefined; @@ -332,7 +332,7 @@ export interface CreateStreamInput { StreamModeDetails?: StreamModeDetails | undefined; /** - *

A set of up to 10 key-value pairs to use to create the tags.

+ *

A set of up to 50 key-value pairs to use to create the tags. A tag consists of a required key and an optional value.

* @public */ Tags?: Record | undefined; @@ -1358,6 +1358,27 @@ export interface GetRecordsOutput { ChildShards?: ChildShard[] | undefined; } +/** + *

The processing of the request failed because of an unknown error, exception, or + * failure.

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

The ciphertext references a key that doesn't exist or that you don't have access * to.

@@ -1664,27 +1685,6 @@ export interface IncreaseStreamRetentionPeriodInput { StreamARN?: string | undefined; } -/** - *

The processing of the request failed because of an unknown error, exception, or - * failure.

- * @public - */ -export class InternalFailureException extends __BaseException { - readonly name: "InternalFailureException" = "InternalFailureException"; - readonly $fault: "server" = "server"; - /** - * @internal - */ - constructor(opts: __ExceptionOptionType) { - super({ - name: "InternalFailureException", - $fault: "server", - ...opts, - }); - Object.setPrototypeOf(this, InternalFailureException.prototype); - } -} - /** * @public * @enum @@ -2090,6 +2090,49 @@ export interface ListStreamsOutput { StreamSummaries?: StreamSummary[] | undefined; } +/** + * @public + */ +export interface ListTagsForResourceInput { + /** + *

The Amazon Resource Name (ARN) of the Kinesis resource for which to list tags.

+ * @public + */ + ResourceARN?: string | undefined; +} + +/** + *

Metadata assigned to the stream or consumer, consisting of a key-value pair.

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

A unique identifier for the tag. Maximum length: 128 characters. Valid characters: + * Unicode letters, digits, white space, _ . / = + - % @

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

An optional string, typically used to describe or define the tag. Maximum length: 256 + * characters. Valid characters: Unicode letters, digits, white space, _ . / = + - % + * @

+ * @public + */ + Value?: string | undefined; +} + +/** + * @public + */ +export interface ListTagsForResourceOutput { + /** + *

An array of tags associated with the specified Kinesis resource.

+ * @public + */ + Tags?: Tag[] | undefined; +} + /** *

Represents the input for ListTagsForStream.

* @public @@ -2125,27 +2168,6 @@ export interface ListTagsForStreamInput { StreamARN?: string | undefined; } -/** - *

Metadata assigned to the stream, consisting of a key-value pair.

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

A unique identifier for the tag. Maximum length: 128 characters. Valid characters: - * Unicode letters, digits, white space, _ . / = + - % @

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

An optional string, typically used to describe or define the tag. Maximum length: 256 - * characters. Valid characters: Unicode letters, digits, white space, _ . / = + - % - * @

- * @public - */ - Value?: string | undefined; -} - /** *

Represents the output for ListTagsForStream.

* @public @@ -2486,6 +2508,12 @@ export interface RegisterStreamConsumerInput { * @public */ ConsumerName: string | undefined; + + /** + *

A set of up to 50 key-value pairs. A tag consists of a required key and an optional value.

+ * @public + */ + Tags?: Record | undefined; } /** @@ -3063,6 +3091,41 @@ export interface SubscribeToShardOutput { EventStream: AsyncIterable | undefined; } +/** + * @public + */ +export interface TagResourceInput { + /** + *

An array of tags to be added to the Kinesis resource. A tag consists of a required key and an optional value. You can add up to 50 tags per resource.

+ *

Tags may only contain Unicode letters, digits, white space, or these symbols: _ . : / = + - @.

+ * @public + */ + Tags: Record | undefined; + + /** + *

The Amazon Resource Name (ARN) of the Kinesis resource to which to add tags.

+ * @public + */ + ResourceARN?: string | undefined; +} + +/** + * @public + */ +export interface UntagResourceInput { + /** + *

A list of tag key-value pairs. Existing tags of the resource whose keys are members of this list will be removed from the Kinesis resource.

+ * @public + */ + TagKeys: string[] | undefined; + + /** + *

The Amazon Resource Name (ARN) of the Kinesis resource from which to remove tags.

+ * @public + */ + ResourceARN?: string | undefined; +} + /** * @public * @enum diff --git a/clients/client-kinesis/src/protocols/Aws_json1_1.ts b/clients/client-kinesis/src/protocols/Aws_json1_1.ts index 94d247c8c573..15026eb667ea 100644 --- a/clients/client-kinesis/src/protocols/Aws_json1_1.ts +++ b/clients/client-kinesis/src/protocols/Aws_json1_1.ts @@ -69,6 +69,10 @@ import { ListStreamConsumersCommandOutput, } from "../commands/ListStreamConsumersCommand"; import { ListStreamsCommandInput, ListStreamsCommandOutput } from "../commands/ListStreamsCommand"; +import { + ListTagsForResourceCommandInput, + ListTagsForResourceCommandOutput, +} from "../commands/ListTagsForResourceCommand"; import { ListTagsForStreamCommandInput, ListTagsForStreamCommandOutput } from "../commands/ListTagsForStreamCommand"; import { MergeShardsCommandInput, MergeShardsCommandOutput } from "../commands/MergeShardsCommand"; import { PutRecordCommandInput, PutRecordCommandOutput } from "../commands/PutRecordCommand"; @@ -92,6 +96,8 @@ import { StopStreamEncryptionCommandOutput, } from "../commands/StopStreamEncryptionCommand"; import { SubscribeToShardCommandInput, SubscribeToShardCommandOutput } from "../commands/SubscribeToShardCommand"; +import { TagResourceCommandInput, TagResourceCommandOutput } from "../commands/TagResourceCommand"; +import { UntagResourceCommandInput, UntagResourceCommandOutput } from "../commands/UntagResourceCommand"; import { UpdateShardCountCommandInput, UpdateShardCountCommandOutput } from "../commands/UpdateShardCountCommand"; import { UpdateStreamModeCommandInput, UpdateStreamModeCommandOutput } from "../commands/UpdateStreamModeCommand"; import { KinesisServiceException as __BaseException } from "../models/KinesisServiceException"; @@ -136,6 +142,7 @@ import { ListStreamConsumersOutput, ListStreamsInput, ListStreamsOutput, + ListTagsForResourceInput, ListTagsForStreamInput, MergeShardsInput, MetricsName, @@ -161,6 +168,8 @@ import { SubscribeToShardEvent, SubscribeToShardEventStream, SubscribeToShardInput, + TagResourceInput, + UntagResourceInput, UpdateShardCountInput, UpdateStreamModeInput, ValidationException, @@ -413,6 +422,19 @@ export const se_ListStreamsCommand = async ( return buildHttpRpcRequest(context, headers, "/", undefined, body); }; +/** + * serializeAws_json1_1ListTagsForResourceCommand + */ +export const se_ListTagsForResourceCommand = async ( + input: ListTagsForResourceCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const headers: __HeaderBag = sharedHeaders("ListTagsForResource"); + let body: any; + body = JSON.stringify(_json(input)); + return buildHttpRpcRequest(context, headers, "/", undefined, body); +}; + /** * serializeAws_json1_1ListTagsForStreamCommand */ @@ -556,6 +578,32 @@ export const se_SubscribeToShardCommand = async ( return buildHttpRpcRequest(context, headers, "/", undefined, body); }; +/** + * serializeAws_json1_1TagResourceCommand + */ +export const se_TagResourceCommand = async ( + input: TagResourceCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const headers: __HeaderBag = sharedHeaders("TagResource"); + let body: any; + body = JSON.stringify(_json(input)); + return buildHttpRpcRequest(context, headers, "/", undefined, body); +}; + +/** + * serializeAws_json1_1UntagResourceCommand + */ +export const se_UntagResourceCommand = async ( + input: UntagResourceCommandInput, + context: __SerdeContext +): Promise<__HttpRequest> => { + const headers: __HeaderBag = sharedHeaders("UntagResource"); + let body: any; + body = JSON.stringify(_json(input)); + return buildHttpRpcRequest(context, headers, "/", undefined, body); +}; + /** * serializeAws_json1_1UpdateShardCountCommand */ @@ -941,6 +989,26 @@ export const de_ListStreamsCommand = async ( return response; }; +/** + * deserializeAws_json1_1ListTagsForResourceCommand + */ +export const de_ListTagsForResourceCommand = 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: ListTagsForResourceCommandOutput = { + $metadata: deserializeMetadata(output), + ...contents, + }; + return response; +}; + /** * deserializeAws_json1_1ListTagsForStreamCommand */ @@ -1141,6 +1209,40 @@ export const de_SubscribeToShardCommand = async ( return response; }; +/** + * deserializeAws_json1_1TagResourceCommand + */ +export const de_TagResourceCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode >= 300) { + return de_CommandError(output, context); + } + await collectBody(output.body, context); + const response: TagResourceCommandOutput = { + $metadata: deserializeMetadata(output), + }; + return response; +}; + +/** + * deserializeAws_json1_1UntagResourceCommand + */ +export const de_UntagResourceCommand = async ( + output: __HttpResponse, + context: __SerdeContext +): Promise => { + if (output.statusCode >= 300) { + return de_CommandError(output, context); + } + await collectBody(output.body, context); + const response: UntagResourceCommandOutput = { + $metadata: deserializeMetadata(output), + }; + return response; +}; + /** * deserializeAws_json1_1UpdateShardCountCommand */ @@ -1206,6 +1308,9 @@ const de_CommandError = async (output: __HttpResponse, context: __SerdeContext): case "ExpiredIteratorException": case "com.amazonaws.kinesis#ExpiredIteratorException": throw await de_ExpiredIteratorExceptionRes(parsedOutput, context); + case "InternalFailureException": + case "com.amazonaws.kinesis#InternalFailureException": + throw await de_InternalFailureExceptionRes(parsedOutput, context); case "KMSAccessDeniedException": case "com.amazonaws.kinesis#KMSAccessDeniedException": throw await de_KMSAccessDeniedExceptionRes(parsedOutput, context); @@ -1291,6 +1396,22 @@ const de_ExpiredNextTokenExceptionRes = async ( return __decorateServiceException(exception, body); }; +/** + * deserializeAws_json1_1InternalFailureExceptionRes + */ +const de_InternalFailureExceptionRes = async ( + parsedOutput: any, + context: __SerdeContext +): Promise => { + const body = parsedOutput.body; + const deserialized: any = _json(body); + const exception = new InternalFailureException({ + $metadata: deserializeMetadata(parsedOutput), + ...deserialized, + }); + return __decorateServiceException(exception, body); +}; + /** * deserializeAws_json1_1InvalidArgumentExceptionRes */ @@ -1628,22 +1749,6 @@ const de_SubscribeToShardEvent_event = async (output: any, context: __SerdeConte Object.assign(contents, de_SubscribeToShardEvent(data, context)); return contents; }; -/** - * deserializeAws_json1_1InternalFailureExceptionRes - */ -const de_InternalFailureExceptionRes = async ( - parsedOutput: any, - context: __SerdeContext -): Promise => { - const body = parsedOutput.body; - const deserialized: any = _json(body); - const exception = new InternalFailureException({ - $metadata: deserializeMetadata(parsedOutput), - ...deserialized, - }); - return __decorateServiceException(exception, body); -}; - // se_AddTagsToStreamInput omitted. // se_CreateStreamInput omitted. @@ -1717,6 +1822,8 @@ const se_ListStreamConsumersInput = (input: ListStreamConsumersInput, context: _ // se_ListStreamsInput omitted. +// se_ListTagsForResourceInput omitted. + // se_ListTagsForStreamInput omitted. // se_MergeShardsInput omitted. @@ -1821,6 +1928,10 @@ const se_SubscribeToShardInput = (input: SubscribeToShardInput, context: __Serde // se_TagMap omitted. +// se_TagResourceInput omitted. + +// se_UntagResourceInput omitted. + // se_UpdateShardCountInput omitted. // se_UpdateStreamModeInput omitted. @@ -1967,6 +2078,8 @@ const de_ListStreamsOutput = (output: any, context: __SerdeContext): ListStreams }) as any; }; +// de_ListTagsForResourceOutput omitted. + // de_ListTagsForStreamOutput omitted. // de_MetricsNameList omitted. diff --git a/codegen/sdk-codegen/aws-models/kinesis.json b/codegen/sdk-codegen/aws-models/kinesis.json index 1f50a8b24bbf..388a5ccd5a51 100644 --- a/codegen/sdk-codegen/aws-models/kinesis.json +++ b/codegen/sdk-codegen/aws-models/kinesis.json @@ -87,7 +87,7 @@ "Tags": { "target": "com.amazonaws.kinesis#TagMap", "traits": { - "smithy.api#documentation": "

A set of up to 10 key-value pairs to use to create the tags.

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

A set of up to 50 key-value pairs to use to create the tags. A tag consists of a required key and an optional value. You can add up to 50 tags per resource.

", "smithy.api#required": {} } }, @@ -300,7 +300,7 @@ } ], "traits": { - "smithy.api#documentation": "

Creates a Kinesis data stream. A stream captures and transports data records that are\n continuously emitted from different data sources or producers.\n Scale-out within a stream is explicitly supported by means of shards, which are uniquely\n identified groups of data records in a stream.

\n

You can create your data stream using either on-demand or provisioned capacity mode.\n Data streams with an on-demand mode require no capacity planning and automatically scale\n to handle gigabytes of write and read throughput per minute. With the on-demand mode,\n Kinesis Data Streams automatically manages the shards in order to provide the necessary\n throughput. For the data streams with a provisioned mode, you must specify the number of\n shards for the data stream. Each shard can support reads up to five transactions per\n second, up to a maximum data read total of 2 MiB per second. Each shard can support\n writes up to 1,000 records per second, up to a maximum data write total of 1 MiB per\n second. If the amount of data input increases or decreases, you can add or remove\n shards.

\n

The stream name identifies the stream. The name is scoped to the Amazon Web Services\n account used by the application. It is also scoped by Amazon Web Services Region. That\n is, two streams in two different accounts can have the same name, and two streams in the\n same account, but in two different Regions, can have the same name.

\n

\n CreateStream is an asynchronous operation. Upon receiving a\n CreateStream request, Kinesis Data Streams immediately returns and sets\n the stream status to CREATING. After the stream is created, Kinesis Data\n Streams sets the stream status to ACTIVE. You should perform read and write\n operations only on an ACTIVE stream.

\n

You receive a LimitExceededException when making a\n CreateStream request when you try to do one of the following:

\n
    \n
  • \n

    Have more than five streams in the CREATING state at any point in\n time.

    \n
  • \n
  • \n

    Create more shards than are authorized for your account.

    \n
  • \n
\n

For the default shard limit for an Amazon Web Services account, see Amazon\n Kinesis Data Streams Limits in the Amazon Kinesis Data Streams\n Developer Guide. To increase this limit, contact Amazon Web Services\n Support.

\n

You can use DescribeStreamSummary to check the stream status, which\n is returned in StreamStatus.

\n

\n CreateStream has a limit of five transactions per second per\n account.

\n

You can add tags to the stream when making a CreateStream request by\n setting the Tags parameter. If you pass Tags parameter, in\n addition to having kinesis:createStream permission, you must also have\n kinesis:addTagsToStream permission for the stream that will be created.\n Tags will take effect from the CREATING status of the stream.

" + "smithy.api#documentation": "

Creates a Kinesis data stream. A stream captures and transports data records that are\n continuously emitted from different data sources or producers.\n Scale-out within a stream is explicitly supported by means of shards, which are uniquely\n identified groups of data records in a stream.

\n

You can create your data stream using either on-demand or provisioned capacity mode.\n Data streams with an on-demand mode require no capacity planning and automatically scale\n to handle gigabytes of write and read throughput per minute. With the on-demand mode,\n Kinesis Data Streams automatically manages the shards in order to provide the necessary\n throughput. For the data streams with a provisioned mode, you must specify the number of\n shards for the data stream. Each shard can support reads up to five transactions per\n second, up to a maximum data read total of 2 MiB per second. Each shard can support\n writes up to 1,000 records per second, up to a maximum data write total of 1 MiB per\n second. If the amount of data input increases or decreases, you can add or remove\n shards.

\n

The stream name identifies the stream. The name is scoped to the Amazon Web Services\n account used by the application. It is also scoped by Amazon Web Services Region. That\n is, two streams in two different accounts can have the same name, and two streams in the\n same account, but in two different Regions, can have the same name.

\n

\n CreateStream is an asynchronous operation. Upon receiving a\n CreateStream request, Kinesis Data Streams immediately returns and sets\n the stream status to CREATING. After the stream is created, Kinesis Data\n Streams sets the stream status to ACTIVE. You should perform read and write\n operations only on an ACTIVE stream.

\n

You receive a LimitExceededException when making a\n CreateStream request when you try to do one of the following:

\n
    \n
  • \n

    Have more than five streams in the CREATING state at any point in\n time.

    \n
  • \n
  • \n

    Create more shards than are authorized for your account.

    \n
  • \n
\n

For the default shard limit for an Amazon Web Services account, see Amazon\n Kinesis Data Streams Limits in the Amazon Kinesis Data Streams\n Developer Guide. To increase this limit, contact Amazon Web Services\n Support.

\n

You can use DescribeStreamSummary to check the stream status, which\n is returned in StreamStatus.

\n

\n CreateStream has a limit of five transactions per second per\n account.

\n

You can add tags to the stream when making a CreateStream request by setting the Tags parameter. If you pass the Tags parameter, in addition to having the kinesis:CreateStream permission, you must also have the kinesis:AddTagsToStream permission for the stream that will be created. The kinesis:TagResource permission won’t work to tag streams on creation. Tags will take effect from the CREATING status of the stream, but you can't make any updates to the tags until the stream is in ACTIVE state.

" } }, "com.amazonaws.kinesis#CreateStreamInput": { @@ -328,7 +328,7 @@ "Tags": { "target": "com.amazonaws.kinesis#TagMap", "traits": { - "smithy.api#documentation": "

A set of up to 10 key-value pairs to use to create the tags.

" + "smithy.api#documentation": "

A set of up to 50 key-value pairs to use to create the tags. A tag consists of a required key and an optional value.

" } } }, @@ -1173,6 +1173,9 @@ { "target": "com.amazonaws.kinesis#ExpiredIteratorException" }, + { + "target": "com.amazonaws.kinesis#InternalFailureException" + }, { "target": "com.amazonaws.kinesis#InvalidArgumentException" }, @@ -1363,6 +1366,9 @@ { "target": "com.amazonaws.kinesis#AccessDeniedException" }, + { + "target": "com.amazonaws.kinesis#InternalFailureException" + }, { "target": "com.amazonaws.kinesis#InvalidArgumentException" }, @@ -1727,6 +1733,9 @@ { "target": "com.amazonaws.kinesis#ListStreams" }, + { + "target": "com.amazonaws.kinesis#ListTagsForResource" + }, { "target": "com.amazonaws.kinesis#ListTagsForStream" }, @@ -1760,6 +1769,12 @@ { "target": "com.amazonaws.kinesis#SubscribeToShard" }, + { + "target": "com.amazonaws.kinesis#TagResource" + }, + { + "target": "com.amazonaws.kinesis#UntagResource" + }, { "target": "com.amazonaws.kinesis#UpdateShardCount" }, @@ -6175,6 +6190,71 @@ "smithy.api#output": {} } }, + "com.amazonaws.kinesis#ListTagsForResource": { + "type": "operation", + "input": { + "target": "com.amazonaws.kinesis#ListTagsForResourceInput" + }, + "output": { + "target": "com.amazonaws.kinesis#ListTagsForResourceOutput" + }, + "errors": [ + { + "target": "com.amazonaws.kinesis#AccessDeniedException" + }, + { + "target": "com.amazonaws.kinesis#InvalidArgumentException" + }, + { + "target": "com.amazonaws.kinesis#LimitExceededException" + }, + { + "target": "com.amazonaws.kinesis#ResourceInUseException" + }, + { + "target": "com.amazonaws.kinesis#ResourceNotFoundException" + } + ], + "traits": { + "smithy.api#documentation": "

List all tags added to the specified Kinesis resource. Each tag is a label consisting of a user-defined key and value. Tags can help you manage, identify, organize, search for, and filter resources.

\n

For more information about tagging Kinesis resources, see Tag your Amazon Kinesis Data Streams resources.

", + "smithy.rules#staticContextParams": { + "OperationType": { + "value": "control" + } + } + } + }, + "com.amazonaws.kinesis#ListTagsForResourceInput": { + "type": "structure", + "members": { + "ResourceARN": { + "target": "com.amazonaws.kinesis#ResourceARN", + "traits": { + "smithy.api#documentation": "

The Amazon Resource Name (ARN) of the Kinesis resource for which to list tags.

", + "smithy.rules#contextParam": { + "name": "ResourceARN" + } + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, + "com.amazonaws.kinesis#ListTagsForResourceOutput": { + "type": "structure", + "members": { + "Tags": { + "target": "com.amazonaws.kinesis#TagList", + "traits": { + "smithy.api#documentation": "

An array of tags associated with the specified Kinesis resource.

" + } + } + }, + "traits": { + "smithy.api#output": {} + } + }, "com.amazonaws.kinesis#ListTagsForStream": { "type": "operation", "input": { @@ -6496,6 +6576,9 @@ { "target": "com.amazonaws.kinesis#AccessDeniedException" }, + { + "target": "com.amazonaws.kinesis#InternalFailureException" + }, { "target": "com.amazonaws.kinesis#InvalidArgumentException" }, @@ -6624,6 +6707,9 @@ { "target": "com.amazonaws.kinesis#AccessDeniedException" }, + { + "target": "com.amazonaws.kinesis#InternalFailureException" + }, { "target": "com.amazonaws.kinesis#InvalidArgumentException" }, @@ -6933,7 +7019,7 @@ } ], "traits": { - "smithy.api#documentation": "

Registers a consumer with a Kinesis data stream. When you use this operation, the\n consumer you register can then call SubscribeToShard to receive data\n from the stream using enhanced fan-out, at a rate of up to 2 MiB per second for every\n shard you subscribe to. This rate is unaffected by the total number of consumers that\n read from the same stream.

\n

You can register up to 20 consumers per stream. A given consumer can only be\n registered with one stream at a time.

\n

For an example of how to use this operation, see Enhanced Fan-Out\n Using the Kinesis Data Streams API.

\n

The use of this operation has a limit of five transactions per second per account.\n Also, only 5 consumers can be created simultaneously. In other words, you cannot have\n more than 5 consumers in a CREATING status at the same time. Registering a\n 6th consumer while there are 5 in a CREATING status results in a\n LimitExceededException.

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

Registers a consumer with a Kinesis data stream. When you use this operation, the\n consumer you register can then call SubscribeToShard to receive data\n from the stream using enhanced fan-out, at a rate of up to 2 MiB per second for every\n shard you subscribe to. This rate is unaffected by the total number of consumers that\n read from the same stream.

\n

You can add tags to the registered consumer when making a RegisterStreamConsumer request by setting the Tags parameter. If you pass the Tags parameter, in addition to having the kinesis:RegisterStreamConsumer permission, you must also have the kinesis:TagResource permission for the consumer that will be registered. Tags will take effect from the CREATING status of the consumer.

\n

You can register up to 20 consumers per stream. A given consumer can only be\n registered with one stream at a time.

\n

For an example of how to use this operation, see Enhanced Fan-Out\n Using the Kinesis Data Streams API.

\n

The use of this operation has a limit of five transactions per second per account.\n Also, only 5 consumers can be created simultaneously. In other words, you cannot have\n more than 5 consumers in a CREATING status at the same time. Registering a\n 6th consumer while there are 5 in a CREATING status results in a\n LimitExceededException.

", "smithy.rules#staticContextParams": { "OperationType": { "value": "control" @@ -6960,6 +7046,12 @@ "smithy.api#documentation": "

For a given Kinesis data stream, each consumer must have a unique name. However,\n consumer names don't have to be unique across data streams.

", "smithy.api#required": {} } + }, + "Tags": { + "target": "com.amazonaws.kinesis#TagMap", + "traits": { + "smithy.api#documentation": "

A set of up to 50 key-value pairs. A tag consists of a required key and an optional value.

" + } } }, "traits": { @@ -8046,7 +8138,7 @@ } }, "traits": { - "smithy.api#documentation": "

Metadata assigned to the stream, consisting of a key-value pair.

" + "smithy.api#documentation": "

Metadata assigned to the stream or consumer, consisting of a key-value pair.

" } }, "com.amazonaws.kinesis#TagKey": { @@ -8097,6 +8189,64 @@ } } }, + "com.amazonaws.kinesis#TagResource": { + "type": "operation", + "input": { + "target": "com.amazonaws.kinesis#TagResourceInput" + }, + "output": { + "target": "smithy.api#Unit" + }, + "errors": [ + { + "target": "com.amazonaws.kinesis#AccessDeniedException" + }, + { + "target": "com.amazonaws.kinesis#InvalidArgumentException" + }, + { + "target": "com.amazonaws.kinesis#LimitExceededException" + }, + { + "target": "com.amazonaws.kinesis#ResourceInUseException" + }, + { + "target": "com.amazonaws.kinesis#ResourceNotFoundException" + } + ], + "traits": { + "smithy.api#documentation": "

Adds or updates tags for the specified Kinesis resource. Each tag is a label consisting of a user-defined key and value. Tags can help you manage, identify, organize, search for, and filter resources. You can assign up to 50 tags to a Kinesis resource.

", + "smithy.rules#staticContextParams": { + "OperationType": { + "value": "control" + } + } + } + }, + "com.amazonaws.kinesis#TagResourceInput": { + "type": "structure", + "members": { + "Tags": { + "target": "com.amazonaws.kinesis#TagMap", + "traits": { + "smithy.api#documentation": "

An array of tags to be added to the Kinesis resource. A tag consists of a required key and an optional value. You can add up to 50 tags per resource.

\n

Tags may only contain Unicode letters, digits, white space, or these symbols: _ . : / = + - @.

", + "smithy.api#required": {} + } + }, + "ResourceARN": { + "target": "com.amazonaws.kinesis#ResourceARN", + "traits": { + "smithy.api#documentation": "

The Amazon Resource Name (ARN) of the Kinesis resource to which to add tags.

", + "smithy.rules#contextParam": { + "name": "ResourceARN" + } + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, "com.amazonaws.kinesis#TagValue": { "type": "string", "traits": { @@ -8109,6 +8259,64 @@ "com.amazonaws.kinesis#Timestamp": { "type": "timestamp" }, + "com.amazonaws.kinesis#UntagResource": { + "type": "operation", + "input": { + "target": "com.amazonaws.kinesis#UntagResourceInput" + }, + "output": { + "target": "smithy.api#Unit" + }, + "errors": [ + { + "target": "com.amazonaws.kinesis#AccessDeniedException" + }, + { + "target": "com.amazonaws.kinesis#InvalidArgumentException" + }, + { + "target": "com.amazonaws.kinesis#LimitExceededException" + }, + { + "target": "com.amazonaws.kinesis#ResourceInUseException" + }, + { + "target": "com.amazonaws.kinesis#ResourceNotFoundException" + } + ], + "traits": { + "smithy.api#documentation": "

Removes tags from the specified Kinesis resource. Removed tags are deleted and can't be recovered after this operation completes successfully.

", + "smithy.rules#staticContextParams": { + "OperationType": { + "value": "control" + } + } + } + }, + "com.amazonaws.kinesis#UntagResourceInput": { + "type": "structure", + "members": { + "TagKeys": { + "target": "com.amazonaws.kinesis#TagKeyList", + "traits": { + "smithy.api#documentation": "

A list of tag key-value pairs. Existing tags of the resource whose keys are members of this list will be removed from the Kinesis resource.

", + "smithy.api#required": {} + } + }, + "ResourceARN": { + "target": "com.amazonaws.kinesis#ResourceARN", + "traits": { + "smithy.api#documentation": "

The Amazon Resource Name (ARN) of the Kinesis resource from which to remove tags.

", + "smithy.rules#contextParam": { + "name": "ResourceARN" + } + } + } + }, + "traits": { + "smithy.api#input": {} + } + }, "com.amazonaws.kinesis#UpdateShardCount": { "type": "operation", "input": { From b8fecfa99e62002047067369baff725f8ab13f39 Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 29 Apr 2025 18:10:03 +0000 Subject: [PATCH 11/12] feat(clients): update client endpoints as of 2025-04-29 --- .../aws/typescript/codegen/endpoints.json | 11 ++++ yarn.lock | 54 +++++++++++++++++++ 2 files changed, 65 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 32b1d0c35079..aa44912920ca 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 @@ -43464,6 +43464,12 @@ } } }, + "storagegateway": { + "endpoints": { + "us-iso-east-1": {}, + "us-iso-west-1": {} + } + }, "streams.dynamodb": { "defaults": { "credentialScope": { @@ -43811,6 +43817,11 @@ } } }, + "datasync": { + "endpoints": { + "us-isob-east-1": {} + } + }, "directconnect": { "endpoints": { "us-isob-east-1": {} diff --git a/yarn.lock b/yarn.lock index 4db2bae4c497..950657b4aa9f 100644 --- a/yarn.lock +++ b/yarn.lock @@ -20285,6 +20285,60 @@ __metadata: languageName: unknown linkType: soft +"@aws-sdk/client-ssm-guiconnect@workspace:clients/client-ssm-guiconnect": + version: 0.0.0-use.local + resolution: "@aws-sdk/client-ssm-guiconnect@workspace:clients/client-ssm-guiconnect" + dependencies: + "@aws-crypto/sha256-browser": "npm:5.2.0" + "@aws-crypto/sha256-js": "npm:5.2.0" + "@aws-sdk/core": "npm:*" + "@aws-sdk/credential-provider-node": "npm:*" + "@aws-sdk/middleware-host-header": "npm:*" + "@aws-sdk/middleware-logger": "npm:*" + "@aws-sdk/middleware-recursion-detection": "npm:*" + "@aws-sdk/middleware-user-agent": "npm:*" + "@aws-sdk/region-config-resolver": "npm:*" + "@aws-sdk/types": "npm:*" + "@aws-sdk/util-endpoints": "npm:*" + "@aws-sdk/util-user-agent-browser": "npm:*" + "@aws-sdk/util-user-agent-node": "npm:*" + "@smithy/config-resolver": "npm:^4.1.0" + "@smithy/core": "npm:^3.3.0" + "@smithy/fetch-http-handler": "npm:^5.0.2" + "@smithy/hash-node": "npm:^4.0.2" + "@smithy/invalid-dependency": "npm:^4.0.2" + "@smithy/middleware-content-length": "npm:^4.0.2" + "@smithy/middleware-endpoint": "npm:^4.1.1" + "@smithy/middleware-retry": "npm:^4.1.1" + "@smithy/middleware-serde": "npm:^4.0.3" + "@smithy/middleware-stack": "npm:^4.0.2" + "@smithy/node-config-provider": "npm:^4.0.2" + "@smithy/node-http-handler": "npm:^4.0.4" + "@smithy/protocol-http": "npm:^5.1.0" + "@smithy/smithy-client": "npm:^4.2.1" + "@smithy/types": "npm:^4.2.0" + "@smithy/url-parser": "npm:^4.0.2" + "@smithy/util-base64": "npm:^4.0.0" + "@smithy/util-body-length-browser": "npm:^4.0.0" + "@smithy/util-body-length-node": "npm:^4.0.0" + "@smithy/util-defaults-mode-browser": "npm:^4.0.9" + "@smithy/util-defaults-mode-node": "npm:^4.0.9" + "@smithy/util-endpoints": "npm:^3.0.2" + "@smithy/util-middleware": "npm:^4.0.2" + "@smithy/util-retry": "npm:^4.0.2" + "@smithy/util-utf8": "npm:^4.0.0" + "@tsconfig/node18": "npm:18.2.4" + "@types/node": "npm:^18.19.69" + "@types/uuid": "npm:^9.0.1" + concurrently: "npm:7.0.0" + downlevel-dts: "npm:0.10.1" + rimraf: "npm:3.0.2" + tslib: "npm:^2.6.2" + typescript: "npm:~5.2.2" + uuid: "npm:^9.0.1" + languageName: unknown + linkType: soft + "@aws-sdk/client-ssm-incidents@workspace:clients/client-ssm-incidents": version: 0.0.0-use.local resolution: "@aws-sdk/client-ssm-incidents@workspace:clients/client-ssm-incidents" From 2025aba7bede80157eba21420a60d240c028cf1d Mon Sep 17 00:00:00 2001 From: awstools Date: Tue, 29 Apr 2025 18:30:51 +0000 Subject: [PATCH 12/12] Publish v3.799.0 --- CHANGELOG.md | 19 +++++++++++++++++++ benchmark/size/report.md | 14 +++++++------- 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-backupsearch/CHANGELOG.md | 8 ++++++++ clients/client-backupsearch/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 +- .../CHANGELOG.md | 8 ++++++++ .../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 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- .../CHANGELOG.md | 8 ++++++++ .../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-billing/CHANGELOG.md | 8 ++++++++ clients/client-billing/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 +- .../client-connectcampaignsv2/CHANGELOG.md | 8 ++++++++ .../client-connectcampaignsv2/package.json | 2 +- clients/client-connectcases/CHANGELOG.md | 11 +++++++++++ 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 | 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 +- .../CHANGELOG.md | 8 ++++++++ .../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-dsql/CHANGELOG.md | 8 ++++++++ clients/client-dsql/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 +- .../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-gameliftstreams/CHANGELOG.md | 8 ++++++++ clients/client-gameliftstreams/package.json | 2 +- clients/client-geo-maps/CHANGELOG.md | 8 ++++++++ clients/client-geo-maps/package.json | 2 +- clients/client-geo-places/CHANGELOG.md | 8 ++++++++ clients/client-geo-places/package.json | 2 +- clients/client-geo-routes/CHANGELOG.md | 8 ++++++++ clients/client-geo-routes/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 | 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 +- clients/client-invoicing/CHANGELOG.md | 8 ++++++++ clients/client-invoicing/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 +- .../CHANGELOG.md | 8 ++++++++ .../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 | 11 +++++++++++ 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 | 8 ++++++++ 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 +- .../client-marketplace-reporting/CHANGELOG.md | 8 ++++++++ .../client-marketplace-reporting/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 +- .../client-networkflowmonitor/CHANGELOG.md | 8 ++++++++ .../client-networkflowmonitor/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-notifications/CHANGELOG.md | 8 ++++++++ clients/client-notifications/package.json | 2 +- .../client-notificationscontacts/CHANGELOG.md | 8 ++++++++ .../client-notificationscontacts/package.json | 2 +- clients/client-oam/CHANGELOG.md | 8 ++++++++ clients/client-oam/package.json | 2 +- .../client-observabilityadmin/CHANGELOG.md | 8 ++++++++ .../client-observabilityadmin/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 +- .../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 | 11 +++++++++++ .../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 | 11 +++++++++++ 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 | 8 ++++++++ clients/client-s3/package.json | 2 +- clients/client-s3outposts/CHANGELOG.md | 8 ++++++++ clients/client-s3outposts/package.json | 2 +- clients/client-s3tables/CHANGELOG.md | 8 ++++++++ clients/client-s3tables/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 | 11 +++++++++++ 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 | 11 +++++++++++ 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-security-ir/CHANGELOG.md | 8 ++++++++ clients/client-security-ir/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-socialmessaging/CHANGELOG.md | 8 ++++++++ clients/client-socialmessaging/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-guiconnect/CHANGELOG.md | 11 +++++++++++ clients/client-ssm-guiconnect/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 | 11 +++++++++++ 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-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/core/CHANGELOG.md | 8 ++++++++ packages/core/package.json | 2 +- packages/crc64-nvme-crt/CHANGELOG.md | 8 ++++++++ packages/crc64-nvme-crt/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/crt-loader/CHANGELOG.md | 8 ++++++++ packages/crt-loader/package.json | 2 +- packages/dsql-signer/CHANGELOG.md | 8 ++++++++ packages/dsql-signer/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 +- .../CHANGELOG.md | 8 ++++++++ .../package.json | 2 +- packages/middleware-sdk-s3/CHANGELOG.md | 8 ++++++++ packages/middleware-sdk-s3/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/nested-clients/CHANGELOG.md | 8 ++++++++ packages/nested-clients/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 +- .../signature-v4-multi-region/CHANGELOG.md | 8 ++++++++ .../signature-v4-multi-region/package.json | 2 +- packages/token-providers/CHANGELOG.md | 8 ++++++++ packages/token-providers/package.json | 2 +- packages/util-dynamodb/CHANGELOG.md | 8 ++++++++ packages/util-dynamodb/package.json | 2 +- packages/util-user-agent-node/CHANGELOG.md | 8 ++++++++ packages/util-user-agent-node/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 +- 913 files changed, 4146 insertions(+), 463 deletions(-) create mode 100644 clients/client-ssm-guiconnect/CHANGELOG.md diff --git a/CHANGELOG.md b/CHANGELOG.md index 9756103f2f80..a33451eac088 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,6 +3,25 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + + +### Features + +* **client-connectcases:** Introduces CustomEntity as part of the UserUnion data type. This field is used to indicate the entity who is performing the API action. ([9ee87df](https://github.com/aws/aws-sdk-js-v3/commit/9ee87df4a6214237012068e9b2ed8609ec827c6e)) +* **client-kinesis:** Amazon KDS now supports tagging and attribute-based access control (ABAC) for enhanced fan-out consumers. ([942b693](https://github.com/aws/aws-sdk-js-v3/commit/942b693219158c4ddd80be2a88424630220e5a34)) +* **client-pinpoint-sms-voice-v2:** AWS End User Messaging has added MONITOR and FILTER functionality to SMS Protect. ([73c2247](https://github.com/aws/aws-sdk-js-v3/commit/73c2247ee6fa8f45f4ae610ba81f22c9558bb4dd)) +* **client-qbusiness:** Add support for anonymous user access for Q Business applications ([6197c7b](https://github.com/aws/aws-sdk-js-v3/commit/6197c7b94988d400bf4ed873eefd900423a7a027)) +* **client-sagemaker-metrics:** SageMaker Metrics Service now supports FIPS endpoint in all US and Canada Commercial regions. ([08cb9ed](https://github.com/aws/aws-sdk-js-v3/commit/08cb9ed346c543d029d03438302ae065684fba67)) +* **client-sagemaker:** Introduced support for P5en instance types on SageMaker Studio for JupyterLab and CodeEditor applications. ([219315a](https://github.com/aws/aws-sdk-js-v3/commit/219315ab1529dc1c61a280446f63ec9f3a526d0b)) +* **client-ssm-guiconnect:** This release adds API support for the connection recording GUI Connect feature of AWS Systems Manager ([e581067](https://github.com/aws/aws-sdk-js-v3/commit/e58106703f3e3a025a41e73bb2b17993ef49cf42)) +* **client-ssm:** This release adds support for just-In-time node access in AWS Systems Manager. Just-in-time node access enables customers to move towards zero standing privileges by requiring operators to request access and obtain approval before remotely connecting to nodes managed by the SSM Agent. ([ac4a855](https://github.com/aws/aws-sdk-js-v3/commit/ac4a855e23375ecd87ae8d9e1cafb6c168e526ed)) +* **clients:** update client endpoints as of 2025-04-29 ([b8fecfa](https://github.com/aws/aws-sdk-js-v3/commit/b8fecfa99e62002047067369baff725f8ab13f39)) + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) diff --git a/benchmark/size/report.md b/benchmark/size/report.md index f0ba26a74803..010871cf8ed3 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.796.0|18.8 KB|N/A|N/A|N/A| +|@aws-sdk/credential-provider-env|3.798.0|18.8 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.797.0|46.2 KB|N/A|N/A|N/A| -|@aws-sdk/credential-provider-node|3.797.0|33.9 KB|N/A|N/A|N/A| -|@aws-sdk/credential-provider-process|3.796.0|22.7 KB|N/A|N/A|N/A| -|@aws-sdk/credential-provider-sso|3.797.0|33.7 KB|N/A|N/A|N/A| +|@aws-sdk/credential-provider-ini|3.798.0|46.2 KB|N/A|N/A|N/A| +|@aws-sdk/credential-provider-node|3.798.0|33.9 KB|N/A|N/A|N/A| +|@aws-sdk/credential-provider-process|3.798.0|22.7 KB|N/A|N/A|N/A| +|@aws-sdk/credential-provider-sso|3.798.0|33.7 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.797.0|31.6 KB|✅(5.88.2)|✅(3.26.3)|✅(0.25.1)| +|@aws-sdk/s3-request-presigner|3.798.0|31.6 KB|✅(5.88.2)|✅(3.26.3)|✅(0.25.1)| |@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.796.0|54.5 KB|N/A|N/A|N/A| +|@aws-sdk/signature-v4-crt|3.798.0|54.5 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.734.0|43.1 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 68ee185de397..286fbd560040 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-accessanalyzer + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 ff786f3afacd..3922d74189a2 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.798.0", + "version": "3.799.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 9b5a4b5124cf..8b98515896de 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-account + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 5588d45114eb..e9bcbfa344bc 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.798.0", + "version": "3.799.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 3ad8c1124f47..6ce6817f0466 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-acm-pca + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 2a80943b4ee9..0f0c06dfecc1 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.798.0", + "version": "3.799.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 6a59b24db258..b8c11caa024b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-acm + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) diff --git a/clients/client-acm/package.json b/clients/client-acm/package.json index 20316307d3f9..8eb4f6aa3efe 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.798.0", + "version": "3.799.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 37a14e0480d0..bcc45cc2ec08 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-amp + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 0367ca048446..4e11a2a6026c 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.798.0", + "version": "3.799.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 b12ff0a24463..8db14edecdf7 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-amplify + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 b2e9a3607c77..065aaf6fead1 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.798.0", + "version": "3.799.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 1611cec44571..49b73672bfa6 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-amplifybackend + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 bf07b0847cea..a2701c19be63 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.798.0", + "version": "3.799.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 d592b9e31fd5..38bb5c23fdba 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-amplifyuibuilder + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 2db8652cff7d..17eff1517ab3 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.798.0", + "version": "3.799.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 2653b22b0b26..24e14948db2e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-api-gateway + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 cbe9f7c3017c..62f5a6a484ff 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.798.0", + "version": "3.799.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 6e7c96c07aa3..717e89e181bd 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-apigatewaymanagementapi + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 2af5b4fb3d4d..0ee16496a59a 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.798.0", + "version": "3.799.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 899a004c366f..e2851da26f62 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-apigatewayv2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c7d690d6e761..aa6d483006f5 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.798.0", + "version": "3.799.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 3509a4a6a2ca..ecd1486857d6 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-app-mesh + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 715aad60a3cd..0320c5db6d19 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.798.0", + "version": "3.799.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 3e73de9235a3..b478012e4ab7 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-appconfig + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c2209b194d87..19377451d453 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.798.0", + "version": "3.799.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 ea75e34c1125..67afd41520c2 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-appconfigdata + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 5f5169238899..26b23dd0603c 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.798.0", + "version": "3.799.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 a168f81c9346..f6183a91a927 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-appfabric + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 fd5a236a5679..2895e436f70e 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.798.0", + "version": "3.799.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 f3a0237100bd..cc2620c559a8 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-appflow + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 3aa891391b42..40ece1793037 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.798.0", + "version": "3.799.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 7daefaaa810e..779a3103a45f 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-appintegrations + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 20bd321b1f59..2fea293ed526 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.798.0", + "version": "3.799.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 d6fc6e03a7f8..a1815f7ddd6b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-application-auto-scaling + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 8b1832280ef2..6006cce10264 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.798.0", + "version": "3.799.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 21c340f229f6..5627b20ff6de 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-application-discovery-service + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c987f4ed83b0..303cfcd3378b 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.798.0", + "version": "3.799.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 39ac692493f4..865afeb47af4 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-application-insights + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 9dbbf9452a39..149687cdfbba 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.798.0", + "version": "3.799.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 e020acb0afc5..debbe1e1bf76 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-application-signals + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 0fd824e363f8..c22faf992e55 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.798.0", + "version": "3.799.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 a9e60a07528e..5624f4579c05 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-applicationcostprofiler + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 7e54678c7cf6..0647e29d2439 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.798.0", + "version": "3.799.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 bf16f33773d3..9e744ec6ac02 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-apprunner + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 62154edd1c1b..3504b4154474 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.798.0", + "version": "3.799.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 517f9f40b84c..dbbb7e6a7661 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-appstream + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 dc9e42b55298..149aa77f9b61 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.798.0", + "version": "3.799.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 1f646bc67de9..4718ec92d7e5 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-appsync + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 9f5d466b6e69..90dbd0b5c179 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.798.0", + "version": "3.799.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 957894a7ce8c..f881f72c504b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-apptest + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 0117d7678835..cfd9348a04e1 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.798.0", + "version": "3.799.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 0796e498eeab..49544be5d82d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-arc-zonal-shift + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 384de080fd51..3deca6fc3f81 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.798.0", + "version": "3.799.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 8ae4f17e3f96..8886d20f6ed6 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-artifact + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 735fc2790af0..e5e782864dec 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.798.0", + "version": "3.799.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 a5d642e24e48..d4512e602de9 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-athena + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 ee83e6284f78..2cefff7eca6a 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.798.0", + "version": "3.799.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 53165fa36227..db68c7e054f0 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-auditmanager + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 b11a8f9c4987..fe2cc7aa145b 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.798.0", + "version": "3.799.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 dbe14cbbf6ec..0cc8d8b7c9f2 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-auto-scaling-plans + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 18f26f63dad1..02369d40874f 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.798.0", + "version": "3.799.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 f1552d959107..2fa7182f9e60 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-auto-scaling + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 30dbec620e06..59d198cc3f79 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.798.0", + "version": "3.799.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 75a9bf3230ed..8da37e3ea97b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-b2bi + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 56d81e6c3a3b..e7848cef7d32 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.798.0", + "version": "3.799.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 f9fb1d936106..0228fcf4de62 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-backup-gateway + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 1054aef5530b..ff88dd556045 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.798.0", + "version": "3.799.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 609fd2302973..7e132565b993 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-backup + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 79efaf4bf927..d583051ba62b 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.798.0", + "version": "3.799.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-backupsearch/CHANGELOG.md b/clients/client-backupsearch/CHANGELOG.md index e8f5f1bbeb37..5c9d950955a8 100644 --- a/clients/client-backupsearch/CHANGELOG.md +++ b/clients/client-backupsearch/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-backupsearch + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-backupsearch diff --git a/clients/client-backupsearch/package.json b/clients/client-backupsearch/package.json index d2c915ace7fd..6d0fbfc47b98 100644 --- a/clients/client-backupsearch/package.json +++ b/clients/client-backupsearch/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-backupsearch", "description": "AWS SDK for JavaScript Backupsearch Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-batch/CHANGELOG.md b/clients/client-batch/CHANGELOG.md index 52da4f3eda63..bd43e7c5d584 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-batch + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 8f3b41dd2d51..277ce9f54176 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.798.0", + "version": "3.799.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 f99f49296195..2ed29541deff 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-bcm-data-exports + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 8ac4036fd6d8..1f1db8015ba5 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.798.0", + "version": "3.799.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-bcm-pricing-calculator/CHANGELOG.md b/clients/client-bcm-pricing-calculator/CHANGELOG.md index ca0c55894bce..091e3ad9db90 100644 --- a/clients/client-bcm-pricing-calculator/CHANGELOG.md +++ b/clients/client-bcm-pricing-calculator/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-bcm-pricing-calculator + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-bcm-pricing-calculator diff --git a/clients/client-bcm-pricing-calculator/package.json b/clients/client-bcm-pricing-calculator/package.json index 80e92ecc3d7e..45fe6851c370 100644 --- a/clients/client-bcm-pricing-calculator/package.json +++ b/clients/client-bcm-pricing-calculator/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-bcm-pricing-calculator", "description": "AWS SDK for JavaScript Bcm Pricing Calculator Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-bedrock-agent-runtime/CHANGELOG.md b/clients/client-bedrock-agent-runtime/CHANGELOG.md index 0e8451784274..bf4222cd0256 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-bedrock-agent-runtime + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 77a497f486c2..b94ebdee0b0e 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.798.0", + "version": "3.799.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 aa536c5d50fc..19210d4e3433 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-bedrock-agent + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 bd43b8471ddf..a23481a52ad1 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.798.0", + "version": "3.799.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-data-automation-runtime/CHANGELOG.md b/clients/client-bedrock-data-automation-runtime/CHANGELOG.md index b9bce9e1d29c..242bd15e3197 100644 --- a/clients/client-bedrock-data-automation-runtime/CHANGELOG.md +++ b/clients/client-bedrock-data-automation-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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-bedrock-data-automation-runtime + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-bedrock-data-automation-runtime diff --git a/clients/client-bedrock-data-automation-runtime/package.json b/clients/client-bedrock-data-automation-runtime/package.json index 49bc5f747929..0b5651562ba9 100644 --- a/clients/client-bedrock-data-automation-runtime/package.json +++ b/clients/client-bedrock-data-automation-runtime/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-bedrock-data-automation-runtime", "description": "AWS SDK for JavaScript Bedrock Data Automation Runtime Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-bedrock-data-automation/CHANGELOG.md b/clients/client-bedrock-data-automation/CHANGELOG.md index ca59531cc17a..ae013130e2e7 100644 --- a/clients/client-bedrock-data-automation/CHANGELOG.md +++ b/clients/client-bedrock-data-automation/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-bedrock-data-automation + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-bedrock-data-automation diff --git a/clients/client-bedrock-data-automation/package.json b/clients/client-bedrock-data-automation/package.json index 6864dd32f951..f0e5a61a799b 100644 --- a/clients/client-bedrock-data-automation/package.json +++ b/clients/client-bedrock-data-automation/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-bedrock-data-automation", "description": "AWS SDK for JavaScript Bedrock Data Automation Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-bedrock-runtime/CHANGELOG.md b/clients/client-bedrock-runtime/CHANGELOG.md index ca6e748195c3..e74d1a960b7d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-bedrock-runtime + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) diff --git a/clients/client-bedrock-runtime/package.json b/clients/client-bedrock-runtime/package.json index 92149c2ac098..23558dafce72 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.798.0", + "version": "3.799.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 afb534d56d1e..f4dfab7bd91c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-bedrock + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e06d59c5514b..5f4a38fadd0a 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.798.0", + "version": "3.799.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-billing/CHANGELOG.md b/clients/client-billing/CHANGELOG.md index ebdf8ee2e75d..a171c488435e 100644 --- a/clients/client-billing/CHANGELOG.md +++ b/clients/client-billing/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-billing + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-billing diff --git a/clients/client-billing/package.json b/clients/client-billing/package.json index 4ad9eff1db54..02b30d0cf189 100644 --- a/clients/client-billing/package.json +++ b/clients/client-billing/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-billing", "description": "AWS SDK for JavaScript Billing Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-billingconductor/CHANGELOG.md b/clients/client-billingconductor/CHANGELOG.md index febaaefebc7b..949294697cca 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-billingconductor + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 2cc20d785d0a..6080c9eee031 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.798.0", + "version": "3.799.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 2753ab90317c..f22d6fc19d5e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-braket + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 67cd9a2db9de..3623e0237dad 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.798.0", + "version": "3.799.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 7b9187c37527..17532cd34518 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-budgets + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 8fbe9c133eca..655cbc3c0935 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.798.0", + "version": "3.799.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 3c513ecc60a1..b25874df4f9e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-chatbot + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 6ee0d3afb814..1b0f3daa2cc6 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.798.0", + "version": "3.799.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 fbe64bc61515..1c1b7b160e38 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-chime-sdk-identity + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 899deb22e739..a9a27d5eb4ec 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.798.0", + "version": "3.799.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 af46ddc5c75c..f2f4c6b13a4c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-chime-sdk-media-pipelines + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 be805930e335..f5170a0df9cb 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.798.0", + "version": "3.799.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 07983cd1cdbe..6d66718f4a13 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-chime-sdk-meetings + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 4cd8cc9595a3..50b2065b3d86 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.798.0", + "version": "3.799.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 8c2c68c7df02..ee0b09cd5f7c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-chime-sdk-messaging + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 cdb848f42c48..6553271264b0 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.798.0", + "version": "3.799.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 b6ed14758d0f..ed5673ed56dc 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-chime-sdk-voice + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 478dfb6ad8fc..1522ebbdce1c 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.798.0", + "version": "3.799.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 dbcad2d107ad..44e0d99dd094 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-chime + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c80974dfc5dc..d4cc2db319b1 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.798.0", + "version": "3.799.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 4cc9f82f4cfa..982a8d3b7c9a 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cleanrooms + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 18b25d236097..d33acc1d0719 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.798.0", + "version": "3.799.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 8927f2756e5f..7a1c689dbc59 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cleanroomsml + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 d11006cb5a7e..7664cd4c4f21 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.798.0", + "version": "3.799.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 fd5bc26abde2..6cb3fc6bb3dd 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cloud9 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 ac47814f18df..a95a641f3710 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.798.0", + "version": "3.799.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 690b5b4a6bb8..d8d7fbd5fc50 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cloudcontrol + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 d6248671777e..a65c9815b1f7 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.798.0", + "version": "3.799.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 8b31ddb1bc4b..c180eb6f3a9a 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-clouddirectory + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 3fd6bc0c5ad4..e18c17aa5d09 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.798.0", + "version": "3.799.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 dee0a0c098fd..57ff58f09080 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cloudformation + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 dea2f4d02b92..089ee7546a11 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.798.0", + "version": "3.799.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 abac11bdcfaa..5e3026f8d9a5 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cloudfront-keyvaluestore + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 8c3f4c13b5f1..2014d13b6a19 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.798.0", + "version": "3.799.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 0d8e678c988b..dee4df3adf63 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cloudfront + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) diff --git a/clients/client-cloudfront/package.json b/clients/client-cloudfront/package.json index f7cec5969539..5731d23c5aa8 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.798.0", + "version": "3.799.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 de8d267dcbd9..94ef553b8007 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cloudhsm-v2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 03fc50d89a3d..41b9aa89fe60 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.798.0", + "version": "3.799.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 8416b7ef1fb9..2a8f370ed405 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cloudhsm + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 950d69bf6353..76bbeb738228 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.798.0", + "version": "3.799.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 90922c3e9ebd..1d0d29eb401e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cloudsearch-domain + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 92e633d58a5e..5c83f156e25e 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.798.0", + "version": "3.799.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 9dae80aacd21..523810548a45 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cloudsearch + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 afed53d1ead4..212633d2753d 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.798.0", + "version": "3.799.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 c8db3c9cc043..fcf17c29607c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cloudtrail-data + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 5c4a8ba72705..6fbd71a83365 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.798.0", + "version": "3.799.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 ad6cfee9ebd9..bb7c7c87edb5 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cloudtrail + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 35419ed0ee5f..bac8da7f2a76 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.798.0", + "version": "3.799.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 0decf0dc1e0a..94aed94a7c25 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cloudwatch-events + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 ceda180c3a42..61cd928dc409 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.798.0", + "version": "3.799.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 eda2d6e3e435..4053d5b89942 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cloudwatch-logs + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 076126628efa..69e11af2a150 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.798.0", + "version": "3.799.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 7ea39745798b..85b56f11bc92 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cloudwatch + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 61fdbb34e0d1..d1fd7a879898 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.798.0", + "version": "3.799.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 044cf99bc9ef..2e6ec0e6cfef 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-codeartifact + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 2fdcb2bf4d86..5f17da7c08e9 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.798.0", + "version": "3.799.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 1efcf475cd8b..5084e5ef1bea 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-codebuild + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 f573fc725cc3..df0090b4133b 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.798.0", + "version": "3.799.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 2491369abae4..4fbb36fdeacc 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-codecatalyst + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 82575aee9c34..f32f67be00ab 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.798.0", + "version": "3.799.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 8e78bd54708d..77c534342a74 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-codecommit + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 87ba82914e40..45f947707013 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.798.0", + "version": "3.799.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 6fe59d8ab0c5..fef16a4e7f2a 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-codeconnections + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 82404c1edf0f..97179d999304 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.798.0", + "version": "3.799.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 ecc7ea36d965..3ddc16080f7b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-codedeploy + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e00566479ea1..897d4fc29848 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.798.0", + "version": "3.799.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 1d61d2250b47..b8f400e96f2d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-codeguru-reviewer + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 4921cf4ad70b..475bd4797b9e 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.798.0", + "version": "3.799.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 b6519885d594..1f8f5414eebd 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-codeguru-security + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 aeae8e660da4..4edeb4709dc6 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.798.0", + "version": "3.799.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 c4034cdbecc8..55421bba93bc 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-codeguruprofiler + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 613d3d2f7f22..0a5b8128d94c 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.798.0", + "version": "3.799.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 09fd2ef3b7ce..ccb4d86aebbb 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-codepipeline + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 91c1be513d71..f57a6affe5e7 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.798.0", + "version": "3.799.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 62b0de200d6c..e7e28226c3b2 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-codestar-connections + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 0849240ccf15..446a7b2cd442 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.798.0", + "version": "3.799.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 0fbe550e0784..6efdf0fb11dc 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-codestar-notifications + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 061909e4a1ed..f7b1868ffc63 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.798.0", + "version": "3.799.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 7d19f6646c90..7adabecb2d7c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cognito-identity-provider + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 fe4d086ad5df..0fac8049d0f6 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.798.0", + "version": "3.799.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 447ea9a83931..ebfffe1110fc 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cognito-identity + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 fa2be3c9d127..c6ce700ee111 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.798.0", + "version": "3.799.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 22d6e08e40e3..0f2c21f92785 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cognito-sync + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 09c1dbc707b4..d0adbe8ec1fb 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.798.0", + "version": "3.799.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 d4fb4f8c749f..1d98b264fc97 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-comprehend + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 22198012e667..0ecf20bb1002 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.798.0", + "version": "3.799.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 0f28f2b992c0..54221953bdbc 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-comprehendmedical + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 4d3ad56179a9..df2591e7b3b1 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.798.0", + "version": "3.799.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 c861a8794e83..676d7a4079f0 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-compute-optimizer + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 059e50f8ac16..7a67e9ce1a02 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.798.0", + "version": "3.799.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 ddefc7ef7855..c876c0e7d8b6 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-config-service + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 97d07396b1cd..43b4bbd804a8 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.798.0", + "version": "3.799.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 13c6bb3277ab..2342a22e274c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-connect-contact-lens + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 dad886468d57..db58f1098ea0 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.798.0", + "version": "3.799.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 2c3fdcaf6bc5..23aa0a2af40a 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-connect + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c3e864177142..920c2c3dcbae 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.798.0", + "version": "3.799.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 e516b9e37ee2..812a64c5c0f4 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-connectcampaigns + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e3aa899dfed0..2fa86dba595b 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.798.0", + "version": "3.799.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-connectcampaignsv2/CHANGELOG.md b/clients/client-connectcampaignsv2/CHANGELOG.md index bacfd28c4aaf..85a79a8b9288 100644 --- a/clients/client-connectcampaignsv2/CHANGELOG.md +++ b/clients/client-connectcampaignsv2/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-connectcampaignsv2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-connectcampaignsv2 diff --git a/clients/client-connectcampaignsv2/package.json b/clients/client-connectcampaignsv2/package.json index 58668b74c08e..45ce7e5a550e 100644 --- a/clients/client-connectcampaignsv2/package.json +++ b/clients/client-connectcampaignsv2/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-connectcampaignsv2", "description": "AWS SDK for JavaScript Connectcampaignsv2 Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-connectcases/CHANGELOG.md b/clients/client-connectcases/CHANGELOG.md index 47ea748b78d3..26c6f1d6df9c 100644 --- a/clients/client-connectcases/CHANGELOG.md +++ b/clients/client-connectcases/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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + + +### Features + +* **client-connectcases:** Introduces CustomEntity as part of the UserUnion data type. This field is used to indicate the entity who is performing the API action. ([9ee87df](https://github.com/aws/aws-sdk-js-v3/commit/9ee87df4a6214237012068e9b2ed8609ec827c6e)) + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 28b8d9d53171..99779ff9a46d 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.798.0", + "version": "3.799.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 dc058c2b39e2..2f58328e4849 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-connectparticipant + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 2c7f4c7cad11..e53e9f8ac0b7 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.798.0", + "version": "3.799.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 8535d6988898..cc616107aa8f 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-controlcatalog + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 d4dd995ad924..f68f6fda9f7e 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.798.0", + "version": "3.799.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 2aa65a4df15b..053ae51cdd35 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-controltower + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 02061cf7881d..5f3ffd94c755 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.798.0", + "version": "3.799.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 ff648dad3cd3..4aed453c1a8b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cost-and-usage-report-service + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 156cbffd19e9..97552e251e84 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.798.0", + "version": "3.799.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 3e7913424384..4d66db2d95c8 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cost-explorer + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 a09a5d2c0f08..1c444f145386 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.798.0", + "version": "3.799.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 2512b66a7896..a029bd466ad2 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-cost-optimization-hub + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 afe8e45425ad..cf6b71f11ef1 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.798.0", + "version": "3.799.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 0b4fa64e7fc8..7f171489c65d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-customer-profiles + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 b47e70e0ffd6..a7247abaa7fd 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.798.0", + "version": "3.799.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 001ad227f793..99ba6f3a3224 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-data-pipeline + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 578cf85a1ef4..8fda5d2481b6 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.798.0", + "version": "3.799.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 bbe4f2e458ad..bad4d7fb938e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-database-migration-service + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 91e3fa9f0257..c71e7b29be66 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.798.0", + "version": "3.799.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 9f8daf818bae..1528906368bd 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-databrew + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 b8ac1c9c1c5c..d1be3644ceca 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.798.0", + "version": "3.799.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 5b39b81c094c..e7cf26ee632f 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-dataexchange + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 a5a895eabc9c..e7e141462fce 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.798.0", + "version": "3.799.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 22ff0e081b55..e4c648b321db 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-datasync + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 f621a66ade99..34b18c80d5d4 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.798.0", + "version": "3.799.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 fdfb38b93450..6894b6497ff8 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-datazone + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 59576a7dfca2..570ed36d57a9 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.798.0", + "version": "3.799.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 0ddde7f92158..ea9e0224be95 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-dax + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 a202612f89ba..5011bc332403 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.798.0", + "version": "3.799.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 5e2feb42bf13..d5ad3677305b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-deadline + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 bffd60646bdf..1f7dbdf7fbea 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.798.0", + "version": "3.799.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 1edde96f1739..a9903cecfa3c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-detective + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 d83c0146e285..7b0922bc20fc 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.798.0", + "version": "3.799.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 53eba07739f2..eac22bd79e0d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-device-farm + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 36b936b58a3c..fd098ddba975 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.798.0", + "version": "3.799.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 4652b8908d44..2f091f7de9f5 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-devops-guru + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 a77457dcaec5..7b03eab328d9 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.798.0", + "version": "3.799.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 04044a235169..39d3186c8404 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-direct-connect + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 900a8ea560d8..6fdf3f1efe14 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.798.0", + "version": "3.799.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 index 521962afc060..67d949a95f9f 100644 --- a/clients/client-directory-service-data/CHANGELOG.md +++ b/clients/client-directory-service-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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-directory-service-data + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-directory-service-data diff --git a/clients/client-directory-service-data/package.json b/clients/client-directory-service-data/package.json index 042380f164e1..51abd910e989 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.798.0", + "version": "3.799.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 7cc66f994026..13ede4df779e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-directory-service + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 bcc19e2047b3..3be6cb0ab6c9 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.798.0", + "version": "3.799.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 31531453b8d2..bebac5db7aba 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-dlm + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 2725a3f63d81..976fa6aa07b9 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.798.0", + "version": "3.799.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 e7d77279bbf3..93651e59a65b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-docdb-elastic + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e71d4618a617..926e56fe3e32 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.798.0", + "version": "3.799.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 b07bbd11bf9b..fec0fc146838 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-docdb + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 6bd67a98a29d..831b906bd134 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.798.0", + "version": "3.799.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 f7dfdbeb16d2..f6aea7c5e6b5 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-drs + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 fae5fbf79231..496c6fb5d8ac 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.798.0", + "version": "3.799.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-dsql/CHANGELOG.md b/clients/client-dsql/CHANGELOG.md index 4b56c6506b4d..9e8a17e5cbfa 100644 --- a/clients/client-dsql/CHANGELOG.md +++ b/clients/client-dsql/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-dsql + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-dsql diff --git a/clients/client-dsql/package.json b/clients/client-dsql/package.json index da47a2d23354..67f7eedfcfcc 100644 --- a/clients/client-dsql/package.json +++ b/clients/client-dsql/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-dsql", "description": "AWS SDK for JavaScript Dsql Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-dynamodb-streams/CHANGELOG.md b/clients/client-dynamodb-streams/CHANGELOG.md index 7eb3ff44e5c5..e1412ab75ac0 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-dynamodb-streams + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 d184bda01825..935c6f8781ce 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.798.0", + "version": "3.799.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 aadffac6e4f9..94586dcb29e2 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-dynamodb + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 407fc8278dc2..e38774144905 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.798.0", + "version": "3.799.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 11f6d15d91c7..c8ddc3b70755 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-ebs + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 1521a6f14666..798a970baabf 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.798.0", + "version": "3.799.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 c9582f22e8ae..e1587cb5fcda 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-ec2-instance-connect + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 3f93e81e08fb..a562813ef46c 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.798.0", + "version": "3.799.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 b3886f71a96f..66e969395cbd 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-ec2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 a97d69bdf0e4..192706301a67 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.798.0", + "version": "3.799.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 51df3f9e460d..5388882553dc 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-ecr-public + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 1315e0333402..4cb147234d63 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.798.0", + "version": "3.799.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 a8150304e8d2..d40282fc5a72 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-ecr + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 aac62e8c0d97..d8dc8446b490 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.798.0", + "version": "3.799.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 a72510a16b08..bce150645a0e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-ecs + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 8fbdab6702a1..1beac8cf29a6 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.798.0", + "version": "3.799.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 0a22f317375c..fc4749982c26 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-efs + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 649f45c31db0..20771856a7cd 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.798.0", + "version": "3.799.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 49eeddb0a35b..973641a30b34 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-eks-auth + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 1cdfd1ed275b..13615dad3a54 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.798.0", + "version": "3.799.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 438d0d6bb07e..13233c251292 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-eks + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 da01a00a48cd..169d29610fb8 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.798.0", + "version": "3.799.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 38a4edbb36fd..7828c9fc9126 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-elastic-beanstalk + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 ad096330307d..e7e8837a1b24 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.798.0", + "version": "3.799.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-load-balancing-v2/CHANGELOG.md b/clients/client-elastic-load-balancing-v2/CHANGELOG.md index fc5494717705..efa3e3cc5145 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-elastic-load-balancing-v2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 bd7d7e6cf337..00c8ebee366f 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.798.0", + "version": "3.799.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 981221c51fd3..996150ff8b44 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-elastic-load-balancing + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e3eb07ad0fc0..f95d1b845252 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.798.0", + "version": "3.799.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 dcc07e2f737e..a4820789d649 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-elastic-transcoder + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c3dcc822a71e..3ed602a03bf7 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.798.0", + "version": "3.799.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 1f613de4536c..0410a18ff8a2 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-elasticache + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 3b1fccccff9d..272192202945 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.798.0", + "version": "3.799.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 8748e40ff182..eba721cd1a20 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-elasticsearch-service + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 cefcff7159d3..c8287645a2fe 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.798.0", + "version": "3.799.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 7094f004e1bd..8c138f8f8d96 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-emr-containers + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 54f2dedff96e..4bcd8fe19880 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.798.0", + "version": "3.799.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 4632f66f1de4..6457ba976c91 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-emr-serverless + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c8b00d91b26e..7e21095a4367 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.798.0", + "version": "3.799.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 95b833ec2e85..1c19249aae38 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-emr + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c4a308569280..a22c303b20e9 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.798.0", + "version": "3.799.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 1ba14143683c..55082ee90670 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-entityresolution + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 aeef638c5f41..d51e3c710d44 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.798.0", + "version": "3.799.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 b9430a03b57f..72cb888816cd 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-eventbridge + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 774fa1c56d30..31bf12fb9ec5 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.798.0", + "version": "3.799.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 d3c06411398e..57fa8f978ef2 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-evidently + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 bf0c53ee6afe..46079336f8b1 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.798.0", + "version": "3.799.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 d69a37793280..c4a5f3dedbf2 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-finspace-data + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 2e40f0c84a06..b53e66728a19 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.798.0", + "version": "3.799.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 12607267ea40..e91bee11f441 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-finspace + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 1aca6d9c1cde..38fbdbae4aec 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.798.0", + "version": "3.799.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 acfff31a6421..3452f3f614f2 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-firehose + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 f753709745fa..722716ecc73c 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.798.0", + "version": "3.799.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 efbe693e55b3..dcb0ce9be339 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-fis + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 6801a6fa8f07..c7dd3dd381ce 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.798.0", + "version": "3.799.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 be921f426b71..a705c1ae39bb 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-fms + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 212072e5803d..e19c6470885e 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.798.0", + "version": "3.799.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 2bedfe8d9cf0..3df9e793ee89 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-forecast + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 5f4d2b8db25b..c4016e311be0 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.798.0", + "version": "3.799.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 b2eee48d5a82..62da7887fc24 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-forecastquery + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 9b58ac951836..202bd7f035a5 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.798.0", + "version": "3.799.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 fac3b1cf2e73..5a7dae7af686 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-frauddetector + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 aa2893096ee2..377b65512599 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.798.0", + "version": "3.799.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 880d8cd4619f..b15076c80909 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-freetier + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 38cc354b529d..91edb2c1669b 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.798.0", + "version": "3.799.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 5ebd537df354..7d8e2ae82d94 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-fsx + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 b6541806d142..1cee78f0582f 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.798.0", + "version": "3.799.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 bb1243ad6e18..049d55590493 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-gamelift + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 d37bfd9fccfe..038607110084 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.798.0", + "version": "3.799.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-gameliftstreams/CHANGELOG.md b/clients/client-gameliftstreams/CHANGELOG.md index c67378f10392..f001eba37897 100644 --- a/clients/client-gameliftstreams/CHANGELOG.md +++ b/clients/client-gameliftstreams/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-gameliftstreams + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-gameliftstreams diff --git a/clients/client-gameliftstreams/package.json b/clients/client-gameliftstreams/package.json index 825619edc399..fa1ebb2d3418 100644 --- a/clients/client-gameliftstreams/package.json +++ b/clients/client-gameliftstreams/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-gameliftstreams", "description": "AWS SDK for JavaScript Gameliftstreams Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-geo-maps/CHANGELOG.md b/clients/client-geo-maps/CHANGELOG.md index 3f9f0e5c6e7c..33f98cd7a4cc 100644 --- a/clients/client-geo-maps/CHANGELOG.md +++ b/clients/client-geo-maps/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-geo-maps + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-geo-maps diff --git a/clients/client-geo-maps/package.json b/clients/client-geo-maps/package.json index f64d15696823..b7998475cda9 100644 --- a/clients/client-geo-maps/package.json +++ b/clients/client-geo-maps/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-geo-maps", "description": "AWS SDK for JavaScript Geo Maps Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-geo-places/CHANGELOG.md b/clients/client-geo-places/CHANGELOG.md index f738b8a3941a..26bd15b3425e 100644 --- a/clients/client-geo-places/CHANGELOG.md +++ b/clients/client-geo-places/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-geo-places + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-geo-places diff --git a/clients/client-geo-places/package.json b/clients/client-geo-places/package.json index b3dcb011a52d..a754f73fefea 100644 --- a/clients/client-geo-places/package.json +++ b/clients/client-geo-places/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-geo-places", "description": "AWS SDK for JavaScript Geo Places Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-geo-routes/CHANGELOG.md b/clients/client-geo-routes/CHANGELOG.md index d06e5fae9c00..319153c13737 100644 --- a/clients/client-geo-routes/CHANGELOG.md +++ b/clients/client-geo-routes/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-geo-routes + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-geo-routes diff --git a/clients/client-geo-routes/package.json b/clients/client-geo-routes/package.json index f472aba3342a..c1249583f75c 100644 --- a/clients/client-geo-routes/package.json +++ b/clients/client-geo-routes/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-geo-routes", "description": "AWS SDK for JavaScript Geo Routes Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-glacier/CHANGELOG.md b/clients/client-glacier/CHANGELOG.md index eeb4f3a6f51f..58007b5f73fe 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-glacier + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e6699620c143..b6cff43369be 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.798.0", + "version": "3.799.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 de07240eb3d8..69288fa4c7e6 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-global-accelerator + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 deb45ae61757..b7c5b8b0444c 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.798.0", + "version": "3.799.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 e009719306f0..ddfeb85024d5 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-glue + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e0fd54ad5591..19a51a9ebcbc 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.798.0", + "version": "3.799.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 419bb48c7df8..9838c34276b1 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-grafana + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 b2513f9e6603..193bc8a20d99 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.798.0", + "version": "3.799.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 10a353f6c637..5665a5dac9c3 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-greengrass + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 cd0b1fac84c2..e4d896313b55 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.798.0", + "version": "3.799.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 838712c032f3..06df4ba69e5a 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-greengrassv2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 b1856aeb1d69..becce583b07f 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.798.0", + "version": "3.799.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 0c6226502db3..cc670a1f5f2d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-groundstation + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 6dda8fa1368d..5356a5edd1fb 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.798.0", + "version": "3.799.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 f7bc7733bfe8..8c8e0f714379 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-guardduty + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 6aa0fc2ef3ed..a2688ef57cc7 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.798.0", + "version": "3.799.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 e5aed33735c6..88eb74ae8dce 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-health + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 cda1a78ce242..56dd674beec5 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.798.0", + "version": "3.799.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 6443a78ea8d5..fa9c899070b4 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-healthlake + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 3a9cce306582..257d5cb3ae9b 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.798.0", + "version": "3.799.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 f7e8a25eaa6c..2ba78d08c548 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-iam + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e950496a6bd4..d7c2120040f9 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.798.0", + "version": "3.799.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 1ad8b6b46b2e..21f7dba26986 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-identitystore + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 0685856ac385..ad74f8cc2d65 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.798.0", + "version": "3.799.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 58550b7b9ba0..c37866522942 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-imagebuilder + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) diff --git a/clients/client-imagebuilder/package.json b/clients/client-imagebuilder/package.json index 5599fd11e204..9d571579258a 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.798.0", + "version": "3.799.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 22153b7b16ec..ec6136c7aab4 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-inspector-scan + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 ae906a1a0f6c..76ee23dda9e8 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.798.0", + "version": "3.799.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 ae30bf5b3c04..d437ae8203c7 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-inspector + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 a233e3964efc..aa8da78b7a3b 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.798.0", + "version": "3.799.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 8e5fcad5a530..f552bb4e82b6 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-inspector2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 58a09f26b3e6..a14b1c04efc7 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.798.0", + "version": "3.799.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 b83776ff6f1a..887b1d7d2b29 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-internetmonitor + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 05f768c137de..90a9e27f604d 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.798.0", + "version": "3.799.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-invoicing/CHANGELOG.md b/clients/client-invoicing/CHANGELOG.md index c522d4c921a2..b78f27d2cb7d 100644 --- a/clients/client-invoicing/CHANGELOG.md +++ b/clients/client-invoicing/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-invoicing + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-invoicing diff --git a/clients/client-invoicing/package.json b/clients/client-invoicing/package.json index 9f35e30a612e..a8e4f7becd93 100644 --- a/clients/client-invoicing/package.json +++ b/clients/client-invoicing/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-invoicing", "description": "AWS SDK for JavaScript Invoicing Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-iot-data-plane/CHANGELOG.md b/clients/client-iot-data-plane/CHANGELOG.md index 79076aa9efe2..9ff12ba75ea1 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-iot-data-plane + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 efd14335956f..dc59f8dcacac 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.798.0", + "version": "3.799.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 07adf33c80e7..be3a9712b580 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-iot-events-data + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 37a53629b043..8d3cc0f921eb 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.798.0", + "version": "3.799.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 1ff3baa3fb86..671b72c8b51b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-iot-events + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 12932db072d9..080ed2424798 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.798.0", + "version": "3.799.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 8a8e95443569..fcb2f7129966 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-iot-jobs-data-plane + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 3b1cfd5cfb65..c76410a61e20 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.798.0", + "version": "3.799.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-managed-integrations/CHANGELOG.md b/clients/client-iot-managed-integrations/CHANGELOG.md index 97b7625bc5dc..551211c62051 100644 --- a/clients/client-iot-managed-integrations/CHANGELOG.md +++ b/clients/client-iot-managed-integrations/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-iot-managed-integrations + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-iot-managed-integrations diff --git a/clients/client-iot-managed-integrations/package.json b/clients/client-iot-managed-integrations/package.json index fc679b24a8be..e30352140422 100644 --- a/clients/client-iot-managed-integrations/package.json +++ b/clients/client-iot-managed-integrations/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-iot-managed-integrations", "description": "AWS SDK for JavaScript Iot Managed Integrations Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-iot-wireless/CHANGELOG.md b/clients/client-iot-wireless/CHANGELOG.md index 9b9ae95e03a8..5a76ba3c4ade 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-iot-wireless + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 707e39bf51e3..53f872dfd7ee 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.798.0", + "version": "3.799.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 a890887cbd4a..73e54e7517f7 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-iot + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 2e4752ff6445..f4ec7bffcc8d 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.798.0", + "version": "3.799.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 b11097ff8f33..df5a023db896 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-iotanalytics + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 ca3c0a49569a..cc9fdc0fe07c 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.798.0", + "version": "3.799.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 7225a60f1fc6..9b48ce50a320 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-iotdeviceadvisor + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 2887f005bd6a..a571a7f42e48 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.798.0", + "version": "3.799.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 a6a82f65a93f..b340975f24c4 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-iotfleethub + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 a6491f2268c4..38f59a8620d4 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.798.0", + "version": "3.799.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 f7c262d0361b..640db8203b5e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-iotfleetwise + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 337a0202a547..32e2dc548ce0 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.798.0", + "version": "3.799.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 4d5329f91a40..4f12e6dbf3b3 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-iotsecuretunneling + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 f8d8145f7b40..96a2decb3ae9 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.798.0", + "version": "3.799.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 3a38476e9111..cebee56e3df3 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-iotsitewise + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 3cf845edaa63..59e551cd0751 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.798.0", + "version": "3.799.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 a2338e8b6219..6f17f778c286 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-iotthingsgraph + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 1e3321e4df3f..76e25a29ee46 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.798.0", + "version": "3.799.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 cc4780c386f9..a46c85862912 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-iottwinmaker + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e579fab8b487..68b450026429 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.798.0", + "version": "3.799.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 ca2c6bc8bab3..49d3dc68dd0e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-ivs-realtime + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 beeb797ffb01..11f56212a2a6 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.798.0", + "version": "3.799.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 ee344e271dfe..0ba2c76619c7 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-ivs + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 4b562e48d76d..557df4081906 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.798.0", + "version": "3.799.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 a70662e59d8f..23118028f264 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-ivschat + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e6c8eb59f426..d3dd0a79a840 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.798.0", + "version": "3.799.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 39e2049d84fe..130b6f6f411e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-kafka + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 f790beff3d15..350c592fa2ae 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.798.0", + "version": "3.799.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 9f14f51c50ac..ecc775f37703 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-kafkaconnect + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 dea0a993bb3c..aea07a171f28 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.798.0", + "version": "3.799.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 7f6862fb896f..5b2050b93744 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-kendra-ranking + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 94c2b1eb6929..81ed166e803e 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.798.0", + "version": "3.799.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 5e331a1a08d2..b1458598e8b1 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-kendra + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 793222161b85..cf293f37c826 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.798.0", + "version": "3.799.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 d763ec0276aa..eaea62779f76 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-keyspaces + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 59c1f5fbdde9..a1cd61481961 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.798.0", + "version": "3.799.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 c98f6381745e..1306c4d4eb7d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-analytics-v2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 4e826945c764..8c50fdaa53df 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.798.0", + "version": "3.799.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 e9fdf619ce23..70b39112540a 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-analytics + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 f7c90da6b14b..8435fa7597a9 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.798.0", + "version": "3.799.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 90e0839eff55..4e73cd6aa099 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-video-archived-media + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 63ddefc7d214..e8e815ca80bb 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.798.0", + "version": "3.799.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 f8aa0008e39a..bd161018452c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-video-media + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 0a4ef611289c..59cc1641d034 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.798.0", + "version": "3.799.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 eb4adc005f69..e8506b76c6a1 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-video-signaling + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 3df2db4ab78b..30869f4b88be 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.798.0", + "version": "3.799.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 72ff0e0f0d24..a66231979fc0 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-video-webrtc-storage + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c953f9479c97..36326f6e9985 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.798.0", + "version": "3.799.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 2cfe6e77ff9c..48b74a3d3bb5 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-kinesis-video + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 9275dc5c8585..64434d6660dc 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.798.0", + "version": "3.799.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 3ac19870fa01..9883d65534ab 100644 --- a/clients/client-kinesis/CHANGELOG.md +++ b/clients/client-kinesis/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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + + +### Features + +* **client-kinesis:** Amazon KDS now supports tagging and attribute-based access control (ABAC) for enhanced fan-out consumers. ([942b693](https://github.com/aws/aws-sdk-js-v3/commit/942b693219158c4ddd80be2a88424630220e5a34)) + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 40abda56f445..62d3ced361b7 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.798.0", + "version": "3.799.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 7d631899e827..fcf163aa043b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-kms + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 76e2de8af0fb..77043092c522 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.798.0", + "version": "3.799.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 e58dca3817f3..1c5968c5ea1c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-lakeformation + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 a640b34787e7..7a94f37e9d1f 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.798.0", + "version": "3.799.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 cfc662ecdeed..01e501d110c2 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-lambda + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 ecf0f1879bf3..b692eae03096 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.798.0", + "version": "3.799.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 cb1e3e8a14b5..952dd151c7e8 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-launch-wizard + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 949c972fa1c7..2b66333c9cab 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.798.0", + "version": "3.799.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 0e461d8c9224..49edbde192fa 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-lex-model-building-service + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 022ad941a63d..3f02ba39c15c 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.798.0", + "version": "3.799.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 2aee70696134..f9236f4bde4e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-lex-models-v2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 5b1bcae9f852..84ce95c354e4 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.798.0", + "version": "3.799.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 0b285efe76dc..c4d584d51aa9 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-lex-runtime-service + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 fe9a08fbb9d0..ffd709194073 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.798.0", + "version": "3.799.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 c583f54e8ea6..0e5a8c44b6f3 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-lex-runtime-v2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 f663006c2aa6..9a8034622bdd 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.798.0", + "version": "3.799.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 3fe61a3bb337..2779ac88d8c4 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-license-manager-linux-subscriptions + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c7e9016bf2a5..54fc4150598b 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.798.0", + "version": "3.799.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 d12ef50b9174..8b963c8a6ed2 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-license-manager-user-subscriptions + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e94e3be2ff8b..5ecfaedbc86e 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.798.0", + "version": "3.799.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 04ec9c502a39..e0ba5960a6da 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-license-manager + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 8febb4bdb7a5..43bf63a89d4d 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.798.0", + "version": "3.799.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 4bced3609971..f7190f3da84c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-lightsail + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 bc5bcdb0298b..d8c97143e052 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.798.0", + "version": "3.799.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 1f5c62256404..4be3cf1ea5f0 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-location + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 bd84aae371e3..796f53d8c25f 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.798.0", + "version": "3.799.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 4c72485604f9..b43c2208c7f3 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-lookoutequipment + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 a08daaffffe7..09a2b79c0996 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.798.0", + "version": "3.799.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 27a22d8546a9..018c7f2e180e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-lookoutmetrics + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 41a53821c5e6..5107650d82bc 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.798.0", + "version": "3.799.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 7cac17309d82..1f39f7ca5b04 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-lookoutvision + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 1756acbfbb06..1ac10cabdcc1 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.798.0", + "version": "3.799.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 af311a8b02fa..62201b1664c1 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-m2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 60cef47cfa44..3c3ddf601e7a 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.798.0", + "version": "3.799.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 f1dbfcb0a590..d4c478a238fa 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-machine-learning + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 42cfe83795b4..5b9af52b7f8a 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.798.0", + "version": "3.799.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 4d2897192ea2..9aa56bb43dcf 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-macie2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 99e520e9ba7b..e75f7fb85694 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.798.0", + "version": "3.799.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 31b14059eddd..4735b50b1dcb 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-mailmanager + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 8b6f662bfdb3..818f10da08a7 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.798.0", + "version": "3.799.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 a844159b0824..96152521935e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-managedblockchain-query + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 08be899373f5..97dc22872191 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.798.0", + "version": "3.799.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 a57981cb1fc1..94b77de89cb3 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-managedblockchain + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e4bdcf90eeaf..aedec4f2029f 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.798.0", + "version": "3.799.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 3133e0309c4e..5c1f53d5923c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-agreement + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 287e1a655871..16a3ef9206ed 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.798.0", + "version": "3.799.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 b9c6925e952f..fef0647cb382 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-catalog + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c1338e2fd985..0a50fc8ff9bd 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.798.0", + "version": "3.799.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 35fbff1b9a82..a41ab8713164 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-commerce-analytics + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 3f11ed43411a..c33e638b22c2 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.798.0", + "version": "3.799.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 7e8a56b43b7e..f9fc48e72af6 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-deployment + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c28cce7b4967..50ede472afe3 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.798.0", + "version": "3.799.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 fc8585ae10d9..3e6424571527 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-entitlement-service + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 1c6e321f7da3..d8fcbac8c3c0 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.798.0", + "version": "3.799.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 97dc6ede31f5..d5da33ab39ff 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-metering + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 31d6fbcdfb3a..558f6f805223 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.798.0", + "version": "3.799.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-marketplace-reporting/CHANGELOG.md b/clients/client-marketplace-reporting/CHANGELOG.md index c66992acd8c9..7a0a29071290 100644 --- a/clients/client-marketplace-reporting/CHANGELOG.md +++ b/clients/client-marketplace-reporting/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-marketplace-reporting + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-marketplace-reporting diff --git a/clients/client-marketplace-reporting/package.json b/clients/client-marketplace-reporting/package.json index 1481508c18d3..b9e5c0cf0d7e 100644 --- a/clients/client-marketplace-reporting/package.json +++ b/clients/client-marketplace-reporting/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-marketplace-reporting", "description": "AWS SDK for JavaScript Marketplace Reporting Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-mediaconnect/CHANGELOG.md b/clients/client-mediaconnect/CHANGELOG.md index 5a7cd8728510..80080e761200 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-mediaconnect + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 2ac03253f500..990a014eed61 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.798.0", + "version": "3.799.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 f23d236ec7ef..0ede549b42ea 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-mediaconvert + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 64332233a7b9..71f8c84ac7ff 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.798.0", + "version": "3.799.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 a969305a677f..36fb6818a4b1 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-medialive + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 1a3953121e3f..6709928fcf06 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.798.0", + "version": "3.799.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 ee73e7d0caf3..0f39291efdf8 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-mediapackage-vod + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 6df1775c739a..168ec3d90d6a 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.798.0", + "version": "3.799.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 07a2eb402b94..4ea477146d87 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-mediapackage + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 fb29201ca4a8..6fe076f379d0 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.798.0", + "version": "3.799.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 4f94ef990ad3..63fe2809205c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-mediapackagev2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 86176236322a..2f7c5384c367 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.798.0", + "version": "3.799.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 ea5431f810ca..489f40e7817e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-mediastore-data + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e0e53602d3a7..9a289e79c641 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.798.0", + "version": "3.799.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 21248c606634..49445de6accf 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-mediastore + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 dc55b26d9949..2b5773f822c5 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.798.0", + "version": "3.799.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 4c8caf15164c..cb0d5ed07d57 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-mediatailor + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 f78353f6c3ef..1ec60a22ff46 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.798.0", + "version": "3.799.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 e6d6ef1deed8..095d46203f26 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-medical-imaging + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 7fb39ff4cf8b..b47a1545829c 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.798.0", + "version": "3.799.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 21c0e157ec18..dbbfef7d0c70 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-memorydb + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 96ab8ec162d0..ab138efa6b3e 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.798.0", + "version": "3.799.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 31f8ed72bf8d..5428cdfcdecd 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-mgn + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 9c4aabd842b0..85c9c689a4ee 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.798.0", + "version": "3.799.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 ef46f2d0ded2..e94acf6ce30f 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-migration-hub-refactor-spaces + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 bbc6bec44b2f..d077041eb038 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.798.0", + "version": "3.799.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 fde385d68edf..3772db397136 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-migration-hub + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 d9752ec4477a..567e2576bea6 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.798.0", + "version": "3.799.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 f621eaed2e34..30f5088292b0 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-migrationhub-config + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e287c2db5422..6ce2662b7439 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.798.0", + "version": "3.799.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 39d9010c7488..c5a2a2fedffc 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-migrationhuborchestrator + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 973e0336a6ed..5c89f56a802f 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.798.0", + "version": "3.799.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 a0a7b6f68f36..50fb4417091a 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-migrationhubstrategy + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 d11eecd664fd..0c8f4117757e 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.798.0", + "version": "3.799.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 583f0286ae50..568d1c8e4643 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-mq + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 6b247ffd2a26..220166b23552 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.798.0", + "version": "3.799.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 b9d14c1d5809..7b4004f36d4e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-mturk + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 2cb254199186..6d7e9e9b2632 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.798.0", + "version": "3.799.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 092afebb5165..a6b761649aef 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-mwaa + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 9a2e11ca856c..aaa6387820dd 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.798.0", + "version": "3.799.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 09a928b581a2..25d21c65947b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-neptune-graph + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 d55c3e611f43..4d3a08bfb2ae 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.798.0", + "version": "3.799.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 1cfed6a64e33..16dbe8d53a5e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-neptune + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 9001e633cddf..e5d4c95651d8 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.798.0", + "version": "3.799.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 61bea4dc2b7b..fa3669ecc521 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-neptunedata + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 3357a517f94a..6dada07259ea 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.798.0", + "version": "3.799.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 9784575b2c54..182fc095fc7b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-network-firewall + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 81326b542bb3..8d4f121f356c 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.798.0", + "version": "3.799.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-networkflowmonitor/CHANGELOG.md b/clients/client-networkflowmonitor/CHANGELOG.md index 16fd169a3386..ce88fbd63578 100644 --- a/clients/client-networkflowmonitor/CHANGELOG.md +++ b/clients/client-networkflowmonitor/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-networkflowmonitor + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-networkflowmonitor diff --git a/clients/client-networkflowmonitor/package.json b/clients/client-networkflowmonitor/package.json index ca0c482cb895..c307081ec244 100644 --- a/clients/client-networkflowmonitor/package.json +++ b/clients/client-networkflowmonitor/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-networkflowmonitor", "description": "AWS SDK for JavaScript Networkflowmonitor Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-networkmanager/CHANGELOG.md b/clients/client-networkmanager/CHANGELOG.md index 34110153b1f0..14096756078b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-networkmanager + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 bc6b491a6759..646c456d69b2 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.798.0", + "version": "3.799.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 8b850d8fa710..0ac07795c7f6 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-networkmonitor + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 5188c5791d8e..15c5d7c3fc51 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.798.0", + "version": "3.799.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-notifications/CHANGELOG.md b/clients/client-notifications/CHANGELOG.md index 82b9fa1849a0..6a29605f96af 100644 --- a/clients/client-notifications/CHANGELOG.md +++ b/clients/client-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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-notifications + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-notifications diff --git a/clients/client-notifications/package.json b/clients/client-notifications/package.json index f1780f51f33d..b13b2ae2a8ac 100644 --- a/clients/client-notifications/package.json +++ b/clients/client-notifications/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-notifications", "description": "AWS SDK for JavaScript Notifications Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-notificationscontacts/CHANGELOG.md b/clients/client-notificationscontacts/CHANGELOG.md index 7703405ad287..cc0a057d5888 100644 --- a/clients/client-notificationscontacts/CHANGELOG.md +++ b/clients/client-notificationscontacts/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-notificationscontacts + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-notificationscontacts diff --git a/clients/client-notificationscontacts/package.json b/clients/client-notificationscontacts/package.json index 631c2b2033e8..8ad8b8b955b5 100644 --- a/clients/client-notificationscontacts/package.json +++ b/clients/client-notificationscontacts/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-notificationscontacts", "description": "AWS SDK for JavaScript Notificationscontacts Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-oam/CHANGELOG.md b/clients/client-oam/CHANGELOG.md index 68e27fa3ec14..15735166e2af 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-oam + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 68cd4439bb29..76cfabdadaaa 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.798.0", + "version": "3.799.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-observabilityadmin/CHANGELOG.md b/clients/client-observabilityadmin/CHANGELOG.md index 01b1bbc98d25..f5aa35ed68d7 100644 --- a/clients/client-observabilityadmin/CHANGELOG.md +++ b/clients/client-observabilityadmin/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-observabilityadmin + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-observabilityadmin diff --git a/clients/client-observabilityadmin/package.json b/clients/client-observabilityadmin/package.json index fadb6f9cb7d5..a2fd879804ad 100644 --- a/clients/client-observabilityadmin/package.json +++ b/clients/client-observabilityadmin/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-observabilityadmin", "description": "AWS SDK for JavaScript Observabilityadmin Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-omics/CHANGELOG.md b/clients/client-omics/CHANGELOG.md index 1e1cce9ee06e..302764a8e76a 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-omics + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 d8e6f4d3c19e..59b29115eb10 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.798.0", + "version": "3.799.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 501c9ad28fa6..e8153617fa63 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-opensearch + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 235dad6c3ac0..04846292bf12 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.798.0", + "version": "3.799.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 698bed4efd1e..f96df40f7813 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-opensearchserverless + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 534f243cc69a..fbb228bde92d 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.798.0", + "version": "3.799.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 d7aaa5002619..aa2af76cfb6b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-opsworks + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 05696d833259..a1a921e9928e 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.798.0", + "version": "3.799.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 86e0cd379af5..db4eef7954cd 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-opsworkscm + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 6e4b89d5a00f..eb5d1ee6da1f 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.798.0", + "version": "3.799.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 9b68359c8b1a..481a1e078f83 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-organizations + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 308012695671..977b3ba19fd2 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.798.0", + "version": "3.799.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 a4470ec40da5..2d465047f754 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-osis + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 551de76b0a6a..761e77419b58 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.798.0", + "version": "3.799.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 4ec219391659..7fd5ceaf58ee 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-outposts + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 0bc38bdd785f..4cf548a1cd83 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.798.0", + "version": "3.799.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 2c840d1e6794..a4f75d3149fa 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-panorama + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 dd91f0b78b3e..8ab17f90ef3b 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.798.0", + "version": "3.799.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-partnercentral-selling/CHANGELOG.md b/clients/client-partnercentral-selling/CHANGELOG.md index e3ff770f5b0c..d1414f6634c8 100644 --- a/clients/client-partnercentral-selling/CHANGELOG.md +++ b/clients/client-partnercentral-selling/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-partnercentral-selling + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-partnercentral-selling diff --git a/clients/client-partnercentral-selling/package.json b/clients/client-partnercentral-selling/package.json index 29577dd8d40f..120af3dcb919 100644 --- a/clients/client-partnercentral-selling/package.json +++ b/clients/client-partnercentral-selling/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-partnercentral-selling", "description": "AWS SDK for JavaScript Partnercentral Selling Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-payment-cryptography-data/CHANGELOG.md b/clients/client-payment-cryptography-data/CHANGELOG.md index 3586804c60d7..61182d8627df 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-payment-cryptography-data + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 d910690bffbb..efe5fe77dbde 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.798.0", + "version": "3.799.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 05aa4016931e..e685c774e382 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-payment-cryptography + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 eeafb7d47d40..ad1951673165 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.798.0", + "version": "3.799.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 b604ee1ed257..221d8fc1135c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-pca-connector-ad + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 9c6195ee1e34..6f3b24f875be 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.798.0", + "version": "3.799.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 308ce251f06c..85fb22a4e2b8 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-pca-connector-scep + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 85bf88386113..a7f948d71aea 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.798.0", + "version": "3.799.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 85deb02e389b..557a42d16912 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-pcs + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 a41f5c4d3b08..6cc390d4e029 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.798.0", + "version": "3.799.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 e99dc208ab0a..09b82d2a8754 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-personalize-events + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 068a4848465b..1a429d062a1e 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.798.0", + "version": "3.799.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 9de99c153b45..c79266781d90 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-personalize-runtime + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 cc1864e0e324..384dc2ec2a1f 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.798.0", + "version": "3.799.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 6c170b2b6177..5dbf0f445899 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-personalize + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e49cff864acb..c817fbc332b3 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.798.0", + "version": "3.799.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 4b77710ab74c..47ae483daa6f 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-pi + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 38bba6372dc2..66f526ccefc9 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.798.0", + "version": "3.799.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 6f5a1e2583b9..d4c38cd8c071 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-pinpoint-email + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 1278ade16855..fd13d202a3ce 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.798.0", + "version": "3.799.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 ebedc49bf2e8..69b3678a866d 100644 --- a/clients/client-pinpoint-sms-voice-v2/CHANGELOG.md +++ b/clients/client-pinpoint-sms-voice-v2/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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + + +### Features + +* **client-pinpoint-sms-voice-v2:** AWS End User Messaging has added MONITOR and FILTER functionality to SMS Protect. ([73c2247](https://github.com/aws/aws-sdk-js-v3/commit/73c2247ee6fa8f45f4ae610ba81f22c9558bb4dd)) + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 789eff21dca8..2e0e469b2e34 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.798.0", + "version": "3.799.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 25e11a1695d5..83f48800ee5d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-pinpoint-sms-voice + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 d6f99a276462..15952eb55417 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.798.0", + "version": "3.799.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 6cd7c0dfcf99..668bed9eed8e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-pinpoint + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 8bbd4f0f47f5..0331eced6450 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.798.0", + "version": "3.799.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 f490c43d6098..a46d0262f838 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-pipes + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 447cc7a78097..d58efabdbe1b 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.798.0", + "version": "3.799.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 6b6999053eef..ace664395372 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-polly + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 1b05245db6f9..52e151e40e0e 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.798.0", + "version": "3.799.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 1f39f6cc0a75..cb2c616b8e4c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-pricing + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 de3196aa8544..a88e76a50ef6 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.798.0", + "version": "3.799.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 69e5439d294c..5ce5ea7902e6 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-privatenetworks + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e64b9d42e60f..74d2e60f4e1a 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.798.0", + "version": "3.799.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 2e1b65a3e65f..59f00f4f276a 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-proton + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 b609e3fc1e27..eab0e51c592b 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.798.0", + "version": "3.799.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 55354f26376f..29ad817ef23c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-qapps + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 926dfbb3a340..caffe01bb9a6 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.798.0", + "version": "3.799.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 79a5de4d48c1..de5c24e645ca 100644 --- a/clients/client-qbusiness/CHANGELOG.md +++ b/clients/client-qbusiness/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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + + +### Features + +* **client-qbusiness:** Add support for anonymous user access for Q Business applications ([6197c7b](https://github.com/aws/aws-sdk-js-v3/commit/6197c7b94988d400bf4ed873eefd900423a7a027)) + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c8cf40d84294..7c66f9da24a0 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.798.0", + "version": "3.799.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 4223681aee6e..0b7f95177d2a 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-qconnect + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 a4f257528f0a..0f4456453583 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.798.0", + "version": "3.799.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 c44b2b4069a8..f80b0e116f0b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-qldb-session + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 9539fc1c4dea..a67a4460b9be 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.798.0", + "version": "3.799.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 851adf3391b1..5a3c46c1659e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-qldb + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 d7feb3b5fced..79a0fd123006 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.798.0", + "version": "3.799.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 e9a410c5eee9..2e3b36657058 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-quicksight + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 4ed4d69b0e4b..a611abd1fa8d 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.798.0", + "version": "3.799.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 a8baf5bd93c8..7bab3a3c5c17 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-ram + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 a01f329f817b..b9755be3f6bd 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.798.0", + "version": "3.799.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 d476080949ac..7d93cd21d1f4 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-rbin + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 b55cfbfb1297..6aabfc67670e 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.798.0", + "version": "3.799.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 e3c788902f9c..b4761a960268 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-rds-data + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 9a0fa3640405..b2e14fd1fbfe 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.798.0", + "version": "3.799.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 f07aab04c626..020b3e896e4d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-rds + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 ddae245a667e..ffc351b6cf9b 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.798.0", + "version": "3.799.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 a69ffe033ac4..1601f4ab6b4a 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-redshift-data + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 b9a5e31645f1..d530a70bf10e 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.798.0", + "version": "3.799.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 ae8bc0d1a62b..9e6a9ef387ca 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-redshift-serverless + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c34ad0f51790..e79fd98ab18c 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.798.0", + "version": "3.799.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 0f7df8c3083e..e6d6e7aad453 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-redshift + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 66be8131ef32..c53b9b4b43ba 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.798.0", + "version": "3.799.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 3df8e18db953..2da85bc915d7 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-rekognition + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 ba517a8f534c..9fd2d65fe8b6 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.798.0", + "version": "3.799.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 4f73ed17998d..54d2d46795da 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-rekognitionstreaming + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 030807a6362b..ecf6c56bd0cf 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.798.0", + "version": "3.799.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 adc96780999d..13dccc8e8261 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-repostspace + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 59077dbf6d88..8e40690685e6 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.798.0", + "version": "3.799.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 ba9f78c2fd89..558097279822 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-resiliencehub + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 0262ce0dd0f5..2a5fdc407de8 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.798.0", + "version": "3.799.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 6feb5c9cc311..ee27120a9c0e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-resource-explorer-2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 953a49163130..1f069094d1cc 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.798.0", + "version": "3.799.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 cc8c9a996216..ff8604e5308c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-resource-groups-tagging-api + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 cf18f43e5745..d2aace4dbf62 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.798.0", + "version": "3.799.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 e4263b86661b..6d1acf5cfaf3 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-resource-groups + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c4c808966425..8d4f38dbceda 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.798.0", + "version": "3.799.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 3712d54ede9d..2617cf7b6a8e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-robomaker + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 948d8849d708..1cad7a5a835e 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.798.0", + "version": "3.799.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 b22945813397..0ddbb750e0ed 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-rolesanywhere + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 5d88b8deaa58..27731630561f 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.798.0", + "version": "3.799.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 df920bb0fb8d..99ab840c5483 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-route-53-domains + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 a66328cf3639..ae83af83388b 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.798.0", + "version": "3.799.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 eaeca87f184c..52d0c3247612 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-route-53 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 5b2db1b35bdb..f4166bcf19ef 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.798.0", + "version": "3.799.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 161748210eb5..e24a48d26a12 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-route53-recovery-cluster + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 6d09c7193ab0..ad8b5b710924 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.798.0", + "version": "3.799.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 f20542964dbc..f23e25c213b6 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-route53-recovery-control-config + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 91c8be06552e..969ec7bc5faf 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.798.0", + "version": "3.799.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 f3f13037bb5f..c5489b0a060f 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-route53-recovery-readiness + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 5b73572ea4fc..45e67a89caf4 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.798.0", + "version": "3.799.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 9dfbfd17e86e..acbda6e92810 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-route53profiles + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 14354de5532c..048798cf3656 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.798.0", + "version": "3.799.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 d66287f06f27..860fc7f285a6 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-route53resolver + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 6bb5e6fe3400..811074a36b1f 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.798.0", + "version": "3.799.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 4b579644fa8e..e6aad53e80bd 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-rum + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 af31477bf8e0..cff0eaa850f6 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.798.0", + "version": "3.799.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 ad0270e6247d..92489b817af6 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-s3-control + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e20e7ad035cb..5f1cf595cc67 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.798.0", + "version": "3.799.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 ca90f269f5e5..43c39f1771b4 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-s3 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) diff --git a/clients/client-s3/package.json b/clients/client-s3/package.json index 65585ad310f2..cc0dd6b50766 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.798.0", + "version": "3.799.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 422d6a73c8ba..0d1dcda7554f 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-s3outposts + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c5cc468bbe47..1f2e96a7ca96 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.798.0", + "version": "3.799.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-s3tables/CHANGELOG.md b/clients/client-s3tables/CHANGELOG.md index 8c0aa48e0ed4..5fea8a57f048 100644 --- a/clients/client-s3tables/CHANGELOG.md +++ b/clients/client-s3tables/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-s3tables + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-s3tables diff --git a/clients/client-s3tables/package.json b/clients/client-s3tables/package.json index 58bad0a180db..2a7ae117cf38 100644 --- a/clients/client-s3tables/package.json +++ b/clients/client-s3tables/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-s3tables", "description": "AWS SDK for JavaScript S3tables Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-sagemaker-a2i-runtime/CHANGELOG.md b/clients/client-sagemaker-a2i-runtime/CHANGELOG.md index a31b250eb3f3..261e80c37ac6 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-a2i-runtime + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 b16870cddadb..517414f641cc 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.798.0", + "version": "3.799.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 a3da86bf3409..d4f8af7306ae 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-edge + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 63889bbbd6fb..9a89970303fa 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.798.0", + "version": "3.799.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 86b721212761..213c276072e7 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-featurestore-runtime + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 61659fa66ab8..758292915dd1 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.798.0", + "version": "3.799.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 e6eef06a11e2..68265cc3a81a 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-geospatial + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 55bc0dd52088..577b96abc4a5 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.798.0", + "version": "3.799.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 a819219a6684..92431320994a 100644 --- a/clients/client-sagemaker-metrics/CHANGELOG.md +++ b/clients/client-sagemaker-metrics/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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + + +### Features + +* **client-sagemaker-metrics:** SageMaker Metrics Service now supports FIPS endpoint in all US and Canada Commercial regions. ([08cb9ed](https://github.com/aws/aws-sdk-js-v3/commit/08cb9ed346c543d029d03438302ae065684fba67)) + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 cdd60488c4e5..fdb6077d595a 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.798.0", + "version": "3.799.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 905d8770ffb1..e4fe4836d688 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-sagemaker-runtime + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 8c9b923616b1..d0304adfa3f6 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.798.0", + "version": "3.799.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 93d45648b228..ab2554d43b28 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + + +### Features + +* **client-sagemaker:** Introduced support for P5en instance types on SageMaker Studio for JupyterLab and CodeEditor applications. ([219315a](https://github.com/aws/aws-sdk-js-v3/commit/219315ab1529dc1c61a280446f63ec9f3a526d0b)) + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 30ca6cead182..3e9c9049b9c9 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.798.0", + "version": "3.799.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 c41616b934ce..5f2a22f6d45b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-savingsplans + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 00816efbeb2c..1142cdd3adaf 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.798.0", + "version": "3.799.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 1b2d0684c103..daaef435c47e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-scheduler + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 284a1ff3de75..6552d4b31b39 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.798.0", + "version": "3.799.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 1018595fbf0e..30466c245efb 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-schemas + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 535e54867cf0..8f14a48ccd15 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.798.0", + "version": "3.799.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 f411493b7f49..c5aa6aa82a3f 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-secrets-manager + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 1c3e3f1318b3..d072b23afb04 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.798.0", + "version": "3.799.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-security-ir/CHANGELOG.md b/clients/client-security-ir/CHANGELOG.md index ba107ab264e7..e9286b98a52c 100644 --- a/clients/client-security-ir/CHANGELOG.md +++ b/clients/client-security-ir/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-security-ir + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-security-ir diff --git a/clients/client-security-ir/package.json b/clients/client-security-ir/package.json index 666f25cff113..1de60666576c 100644 --- a/clients/client-security-ir/package.json +++ b/clients/client-security-ir/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-security-ir", "description": "AWS SDK for JavaScript Security Ir Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-securityhub/CHANGELOG.md b/clients/client-securityhub/CHANGELOG.md index 99dd5543f8cb..fda31aeb5c21 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-securityhub + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 65e9e25334d8..6ec5b204e18a 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.798.0", + "version": "3.799.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 e854dcdabc1a..69a553f09c51 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-securitylake + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c3496020a9fb..ee0b84a46d97 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.798.0", + "version": "3.799.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 89a9caa07d54..c182d8d0c576 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-serverlessapplicationrepository + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 5b3f2fe7184f..f30c6258022c 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.798.0", + "version": "3.799.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 62d3b9806945..fa88dcd89444 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-service-catalog-appregistry + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 9850262eaf78..986d865553cb 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.798.0", + "version": "3.799.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 5c4a7a4167d8..ae755a9619f3 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-service-catalog + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 b1f32b059432..9facd71c6f63 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.798.0", + "version": "3.799.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 147b74c207fc..235193fcba0b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-service-quotas + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 64ee4594f426..0157ccfafaa0 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.798.0", + "version": "3.799.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 932e1c1fc563..d0511ca2670c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-servicediscovery + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 098d95a9fdb3..fb0e8cab8575 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.798.0", + "version": "3.799.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 1811f5a8629b..09872430e533 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-ses + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 350a86acc629..8dedd959ff7f 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.798.0", + "version": "3.799.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 5a776615e380..b6f75835fecc 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-sesv2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 1775050438e0..afb2e88d2ba3 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.798.0", + "version": "3.799.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 3e445a930a7e..dc391c90f0bf 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-sfn + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 4ed69f85a543..bbadb698eeda 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.798.0", + "version": "3.799.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 0ea338170ac2..b31027bfc90d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-shield + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 944400c024f8..89d170207c59 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.798.0", + "version": "3.799.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 90c11e3b76c9..56f09a9c6995 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-signer + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 0a88955e477b..038698bd33ab 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.798.0", + "version": "3.799.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 bce3fe673fd5..af79000f0401 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-simspaceweaver + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 cba99cd1242a..c3068f5e2634 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.798.0", + "version": "3.799.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 b1954566a1d6..f979d97041ab 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-sms + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 af66950d2e03..b504626e33a6 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.798.0", + "version": "3.799.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 abde87730590..565c730a9a9d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-snow-device-management + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 8ba294f08c74..18f3fa277bc2 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.798.0", + "version": "3.799.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 62b3b3817180..35d306200c27 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-snowball + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 293a1ac94f54..10b4f241c2d2 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.798.0", + "version": "3.799.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 a7ad2dc95057..5d15b2abe320 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-sns + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 856d56db49f1..c2a9152d8d5a 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.798.0", + "version": "3.799.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-socialmessaging/CHANGELOG.md b/clients/client-socialmessaging/CHANGELOG.md index 0c1213f72dea..492ae77c7b28 100644 --- a/clients/client-socialmessaging/CHANGELOG.md +++ b/clients/client-socialmessaging/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-socialmessaging + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/client-socialmessaging diff --git a/clients/client-socialmessaging/package.json b/clients/client-socialmessaging/package.json index 689f334b218e..4cc00ef69665 100644 --- a/clients/client-socialmessaging/package.json +++ b/clients/client-socialmessaging/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-socialmessaging", "description": "AWS SDK for JavaScript Socialmessaging Client for Node.js, Browser and React Native", - "version": "3.798.0", + "version": "3.799.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-sqs/CHANGELOG.md b/clients/client-sqs/CHANGELOG.md index 97220c7cd259..2a6280698711 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-sqs + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 f1715bd0094c..d481ee64ee8e 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.798.0", + "version": "3.799.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 7e54457073de..1229cd97d2bc 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-ssm-contacts + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 bc1587d14154..957aa8773641 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.798.0", + "version": "3.799.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-guiconnect/CHANGELOG.md b/clients/client-ssm-guiconnect/CHANGELOG.md new file mode 100644 index 000000000000..2647671f5f97 --- /dev/null +++ b/clients/client-ssm-guiconnect/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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + + +### Features + +* **client-ssm-guiconnect:** This release adds API support for the connection recording GUI Connect feature of AWS Systems Manager ([e581067](https://github.com/aws/aws-sdk-js-v3/commit/e58106703f3e3a025a41e73bb2b17993ef49cf42)) diff --git a/clients/client-ssm-guiconnect/package.json b/clients/client-ssm-guiconnect/package.json index 17629ca70cbe..cdd933aeaa9d 100644 --- a/clients/client-ssm-guiconnect/package.json +++ b/clients/client-ssm-guiconnect/package.json @@ -1,7 +1,7 @@ { "name": "@aws-sdk/client-ssm-guiconnect", "description": "AWS SDK for JavaScript Ssm Guiconnect Client for Node.js, Browser and React Native", - "version": "3.0.0", + "version": "3.799.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-incidents/CHANGELOG.md b/clients/client-ssm-incidents/CHANGELOG.md index e75d8dab70b5..1be085c67f4d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-ssm-incidents + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 673fb3d17a05..33d01ec3f3bf 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.798.0", + "version": "3.799.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 a2d050b503ff..47048d889f73 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-ssm-quicksetup + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 66030b3ff6f1..afcb64909d84 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.798.0", + "version": "3.799.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 9e8c72c6866c..f4175c6efe8a 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-ssm-sap + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 b43403f38e02..b7e6fb4cc073 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.798.0", + "version": "3.799.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 9565c2afe0c1..2f1f169ba484 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + + +### Features + +* **client-ssm:** This release adds support for just-In-time node access in AWS Systems Manager. Just-in-time node access enables customers to move towards zero standing privileges by requiring operators to request access and obtain approval before remotely connecting to nodes managed by the SSM Agent. ([ac4a855](https://github.com/aws/aws-sdk-js-v3/commit/ac4a855e23375ecd87ae8d9e1cafb6c168e526ed)) + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 21e862b6f859..df1df33a92a4 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.798.0", + "version": "3.799.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 3c6416cd44f6..52a14f070ba9 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-sso-admin + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 204c046a8f05..4f4315ccb984 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.798.0", + "version": "3.799.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 4287978d2e4f..94b90dcca1bd 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-sso-oidc + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 26c0def2c1b3..667b6e7db68b 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.798.0", + "version": "3.799.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 dc65d12e871f..ae479998385d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-sso + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 64eb067feaea..54d5d0d43af0 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.798.0", + "version": "3.799.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 55dca34bdbb1..83657ff47d02 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-storage-gateway + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 dce9e0dc8aa4..48c6522de06d 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.798.0", + "version": "3.799.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 6b715e96832a..02c20d35c795 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-sts + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 a8e2d6177922..1b312a7719c6 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.798.0", + "version": "3.799.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 f9c00176e4d7..28cac9d01f84 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-supplychain + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 9d5616f244ae..a04ea41dd46d 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.798.0", + "version": "3.799.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 ac68f6545f15..b9da90a8b99d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-support-app + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 ee8cd11bbac3..c51ec762bf1b 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.798.0", + "version": "3.799.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 407ed558f51c..cb9c1fb02b9b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-support + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 0a41e088fbea..51c8d1ae9634 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.798.0", + "version": "3.799.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 0fdb6ca6ba6b..44362754c705 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-swf + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 d704fc52c4a0..7a48e66093e4 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.798.0", + "version": "3.799.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 21074ee35066..3a9ab1363b5b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-synthetics + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 ab6677443195..2d1f830e01dd 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.798.0", + "version": "3.799.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 7ce7e5107bae..1706f0c985ab 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-taxsettings + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 0d0bd8054cdb..ba04579bd449 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.798.0", + "version": "3.799.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 33b9a61e27e0..350d538ba7dc 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-textract + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 130e76411027..aea36a9419e8 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.798.0", + "version": "3.799.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 38989c2058ef..5c2c89b89917 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-timestream-influxdb + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 182ec76110c9..8f31aed7f198 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.798.0", + "version": "3.799.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 b2ac4b56ce44..0d3c42b2253c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-timestream-query + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 efa4b21c7a42..6c344c52e626 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.798.0", + "version": "3.799.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 4aa4655e02e3..3e8969513c58 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-timestream-write + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 491693f9cc56..28fd4fe300e4 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.798.0", + "version": "3.799.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 cf6eb7f39a91..842e4a6b692d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-tnb + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 17c5fa1b59f8..dbb7a7b58923 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.798.0", + "version": "3.799.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 3ac8efddb972..a784d1b96bb2 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-transcribe-streaming + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 86006b4872bf..d84f20974225 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.798.0", + "version": "3.799.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 714722d15039..ef22d7b29345 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-transcribe + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 650b6d657742..292af8ef86c0 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.798.0", + "version": "3.799.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 d8cbe893a2e7..810b686ea0e5 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-transfer + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 40dde4923bb9..4476f7a1397f 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.798.0", + "version": "3.799.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 4254216285df..e1ee5715bd01 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-translate + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 0c1d194a24d5..945b9dd178ab 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.798.0", + "version": "3.799.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 9e3d3abb96e3..266a2c83e030 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-trustedadvisor + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 0fc8a325fab5..2a59869a5134 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.798.0", + "version": "3.799.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 90a0a37fca73..e641dc70a468 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-verifiedpermissions + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 ab7c0b05f831..241a6ad8c01d 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.798.0", + "version": "3.799.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 bd02ee910494..30abf0bfb4d2 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-voice-id + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 6108c44edee8..54190d6dee77 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.798.0", + "version": "3.799.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 749536d8f48a..3891010ec911 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-vpc-lattice + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 66c02f5318cd..2f6ccb9164af 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.798.0", + "version": "3.799.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 7c7c30d3bc4a..9b6ce611f72e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-waf-regional + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 27f4cc583913..59fc9d83b44c 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.798.0", + "version": "3.799.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 b658f5c6a8b4..65c0d9feaf52 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-waf + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 18c9d920df8b..3ce3521bc7ac 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.798.0", + "version": "3.799.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 d0950d036621..bf13a0dd7965 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-wafv2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 ec0b89ea072d..9a8676918a2c 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.798.0", + "version": "3.799.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 8e41f366e3c1..d598781dde42 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-wellarchitected + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 4016b9c5e5fb..0bfc952aa7bc 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.798.0", + "version": "3.799.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 47c2d7a6740c..618500872e3d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-wisdom + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 d470f6d8d42c..63087ec3166b 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.798.0", + "version": "3.799.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 8203014a6d8b..fd4733dc2689 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-workdocs + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 63bd1e76ba48..69212a3128e4 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.798.0", + "version": "3.799.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-workmail/CHANGELOG.md b/clients/client-workmail/CHANGELOG.md index d453d5806e48..1f09ba4bd553 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-workmail + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 34759c0d4bdc..ac7bda6a5b66 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.798.0", + "version": "3.799.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 716c37648433..200d5d62d411 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-workmailmessageflow + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 19bce5970b18..6642f834b7d6 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.798.0", + "version": "3.799.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 e06af0deff40..d44b63844e47 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-workspaces-thin-client + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 4b915b2a626c..9c90e00e7b24 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.798.0", + "version": "3.799.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 e00d9e7feb8b..c7391cc4e19b 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-workspaces-web + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 1c905c8f87ec..06db5a393267 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.798.0", + "version": "3.799.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 e44d3236cae7..52cb6591d773 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-workspaces + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 6fe1e2852c27..f4fea5d5a7d9 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.798.0", + "version": "3.799.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 db44bfdf9563..bb53993bf629 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/client-xray + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 68a743dec148..3a967f46a715 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.798.0", + "version": "3.799.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 c16bc918720a..e6ec91509f63 100644 --- a/lerna.json +++ b/lerna.json @@ -1,5 +1,5 @@ { - "version": "3.798.0", + "version": "3.799.0", "npmClient": "yarn", "useWorkspaces": true, "command": { diff --git a/lib/lib-dynamodb/CHANGELOG.md b/lib/lib-dynamodb/CHANGELOG.md index 2f9d85906cbd..2f7a152cd693 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/lib-dynamodb + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 2dd511cf7c94..e2e9c5513fce 100644 --- a/lib/lib-dynamodb/package.json +++ b/lib/lib-dynamodb/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/lib-dynamodb", - "version": "3.798.0", + "version": "3.799.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 4cd63c5e5724..9a8659e8d1be 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/lib-storage + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 da700e0303e8..4275a7731f7f 100644 --- a/lib/lib-storage/package.json +++ b/lib/lib-storage/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/lib-storage", - "version": "3.798.0", + "version": "3.799.0", "description": "Storage higher order operation", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/core/CHANGELOG.md b/packages/core/CHANGELOG.md index 637cf7849fca..63beed82c744 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/core + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/core diff --git a/packages/core/package.json b/packages/core/package.json index 1abbfe131d7f..7ec784a7a2f6 100644 --- a/packages/core/package.json +++ b/packages/core/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/core", - "version": "3.798.0", + "version": "3.799.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/crc64-nvme-crt/CHANGELOG.md b/packages/crc64-nvme-crt/CHANGELOG.md index 37428129cdfd..d4e5d42452d6 100644 --- a/packages/crc64-nvme-crt/CHANGELOG.md +++ b/packages/crc64-nvme-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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/crc64-nvme-crt + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/crc64-nvme-crt diff --git a/packages/crc64-nvme-crt/package.json b/packages/crc64-nvme-crt/package.json index 0a8ecceccb8d..0834046195ae 100644 --- a/packages/crc64-nvme-crt/package.json +++ b/packages/crc64-nvme-crt/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/crc64-nvme-crt", - "version": "3.798.0", + "version": "3.799.0", "description": "An implementation of CRC64-NVME checksum 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/credential-provider-cognito-identity/CHANGELOG.md b/packages/credential-provider-cognito-identity/CHANGELOG.md index 9b8ec758fec1..802e4e4466a2 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/credential-provider-cognito-identity + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 381897722967..004006a20052 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.798.0", + "version": "3.799.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 c28183eb3b2c..56c5e6dd41aa 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/credential-provider-env + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/credential-provider-env diff --git a/packages/credential-provider-env/package.json b/packages/credential-provider-env/package.json index 3a5fb8c920ef..3591ddc5b58d 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.798.0", + "version": "3.799.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 0a3f934ca620..12c15c9e3d95 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/credential-provider-http + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/credential-provider-http diff --git a/packages/credential-provider-http/package.json b/packages/credential-provider-http/package.json index 8c9fbb302815..54a96c3b440f 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.798.0", + "version": "3.799.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 b8de9d067bdb..1a21e7d6e200 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/credential-provider-ini + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 5fbacd9a5578..cbf4d6b68780 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.798.0", + "version": "3.799.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 2e3ed90e6a12..cb511dd6a7bb 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/credential-provider-node + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 dca28bfb941e..acaf9639f1da 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.798.0", + "version": "3.799.0", "description": "AWS credential provider that sources credentials from a Node.JS environment. ", "engines": { "node": ">=18.0.0" diff --git a/packages/credential-provider-process/CHANGELOG.md b/packages/credential-provider-process/CHANGELOG.md index b41c8d8ded3a..98efe47f1334 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/credential-provider-process + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/credential-provider-process diff --git a/packages/credential-provider-process/package.json b/packages/credential-provider-process/package.json index e4304d4efc80..982b89b6b22e 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.798.0", + "version": "3.799.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 d33b3274857c..078bf0d28a16 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/credential-provider-sso + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e34407de9d3c..763c81f1861a 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.798.0", + "version": "3.799.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 6aa76410bef1..63dd1028a367 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/credential-provider-web-identity + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/credential-provider-web-identity diff --git a/packages/credential-provider-web-identity/package.json b/packages/credential-provider-web-identity/package.json index 79bfe6dde3e2..ddea05422eb6 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.798.0", + "version": "3.799.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 518dd9276456..4b85c2ad1a6e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/credential-providers + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 3e1efe31cb67..97fcaf1cc4fc 100644 --- a/packages/credential-providers/package.json +++ b/packages/credential-providers/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/credential-providers", - "version": "3.798.0", + "version": "3.799.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/crt-loader/CHANGELOG.md b/packages/crt-loader/CHANGELOG.md index 28d35104cc53..73728ea6ea81 100644 --- a/packages/crt-loader/CHANGELOG.md +++ b/packages/crt-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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/crt-loader + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/crt-loader diff --git a/packages/crt-loader/package.json b/packages/crt-loader/package.json index 69a43df9c853..376b02e48cbe 100644 --- a/packages/crt-loader/package.json +++ b/packages/crt-loader/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/crt-loader", - "version": "3.798.0", + "version": "3.799.0", "description": "Loader for AWS Common Runtime https://github.com/awslabs/aws-crt-nodejs", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/dsql-signer/CHANGELOG.md b/packages/dsql-signer/CHANGELOG.md index c6c187c1ea96..e92450a3c792 100644 --- a/packages/dsql-signer/CHANGELOG.md +++ b/packages/dsql-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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/dsql-signer + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/dsql-signer diff --git a/packages/dsql-signer/package.json b/packages/dsql-signer/package.json index ed41d08ca107..19ae2cb1e8c1 100644 --- a/packages/dsql-signer/package.json +++ b/packages/dsql-signer/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/dsql-signer", - "version": "3.798.0", + "version": "3.799.0", "description": "Dsql utility for generating a password token that can be used for IAM authentication to a Dsql Database.", "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 3f0ebd95944d..76a354ea3787 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/ec2-metadata-service + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 f9945db2ef2a..8c683684daaa 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.798.0", + "version": "3.799.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/karma-credential-loader/CHANGELOG.md b/packages/karma-credential-loader/CHANGELOG.md index 280dc25b0d75..2c52faaf8e77 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/karma-credential-loader + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 83f4fc3407dc..ac72e561da2c 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.798.0", + "version": "3.799.0", "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 0c3edbd12ff9..e1c5f20b20d1 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/middleware-flexible-checksums + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 732c5f0d5953..ce6a60d46767 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.798.0", + "version": "3.799.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-sdk-s3/CHANGELOG.md b/packages/middleware-sdk-s3/CHANGELOG.md index da086b93277a..9dd5970fe468 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/middleware-sdk-s3 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 fd298be12ba3..b02fd0a83f92 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.798.0", + "version": "3.799.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-token/CHANGELOG.md b/packages/middleware-token/CHANGELOG.md index 8178cebb1769..47c8776f22af 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/middleware-token + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/middleware-token diff --git a/packages/middleware-token/package.json b/packages/middleware-token/package.json index e76f354a69fd..8868ead24fc9 100644 --- a/packages/middleware-token/package.json +++ b/packages/middleware-token/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/middleware-token", - "version": "3.798.0", + "version": "3.799.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 84470ec16f2a..060f9b3ea974 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/middleware-user-agent + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/middleware-user-agent diff --git a/packages/middleware-user-agent/package.json b/packages/middleware-user-agent/package.json index ce28ab7fe883..c7e7305d831b 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.798.0", + "version": "3.799.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/nested-clients/CHANGELOG.md b/packages/nested-clients/CHANGELOG.md index 2061fdd851b1..3304f96ea08c 100644 --- a/packages/nested-clients/CHANGELOG.md +++ b/packages/nested-clients/CHANGELOG.md @@ -3,6 +3,14 @@ All notable changes to this project will be documented in this file. See [Conventional Commits](https://conventionalcommits.org) for commit guidelines. +# [3.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/nested-clients + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/nested-clients diff --git a/packages/nested-clients/package.json b/packages/nested-clients/package.json index e536b22403bb..77710827d51f 100644 --- a/packages/nested-clients/package.json +++ b/packages/nested-clients/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/nested-clients", - "version": "3.798.0", + "version": "3.799.0", "description": "Nested clients for AWS SDK packages.", "main": "./dist-cjs/index.js", "module": "./dist-es/index.js", diff --git a/packages/polly-request-presigner/CHANGELOG.md b/packages/polly-request-presigner/CHANGELOG.md index 474be4d434ab..27421e7ebbdd 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/polly-request-presigner + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 d3f0f34d52ec..2094d60b6366 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.798.0", + "version": "3.799.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 dc66c0eae5af..70990ba204dd 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/rds-signer + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 74d7d87cc7bb..885bba3791b8 100644 --- a/packages/rds-signer/package.json +++ b/packages/rds-signer/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/rds-signer", - "version": "3.798.0", + "version": "3.799.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/s3-presigned-post/CHANGELOG.md b/packages/s3-presigned-post/CHANGELOG.md index b2460bdd0ee5..f60825b2bba1 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/s3-presigned-post + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 969fce21a1c0..5e89dae169af 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.798.0", + "version": "3.799.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 7047069dd5d5..fb47e5a07f47 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/s3-request-presigner + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 dc3ae558cbe9..603685f692a5 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.798.0", + "version": "3.799.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/signature-v4-crt/CHANGELOG.md b/packages/signature-v4-crt/CHANGELOG.md index 55c191224bfa..0551115eb0a5 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/signature-v4-crt + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 ddd89bc9ee0a..dd2fa46f673d 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.798.0", + "version": "3.799.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 696385428eac..3df58572ce7d 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/signature-v4-multi-region + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) diff --git a/packages/signature-v4-multi-region/package.json b/packages/signature-v4-multi-region/package.json index a7926b34ca00..d0346c50f6e4 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.798.0", + "version": "3.799.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/token-providers/CHANGELOG.md b/packages/token-providers/CHANGELOG.md index bbbf0df0c9a2..ff3b549beaad 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/token-providers + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/token-providers diff --git a/packages/token-providers/package.json b/packages/token-providers/package.json index f303568ee2f1..6f80cd9b40c9 100644 --- a/packages/token-providers/package.json +++ b/packages/token-providers/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/token-providers", - "version": "3.798.0", + "version": "3.799.0", "description": "A collection of token providers", "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 e82f2edf7e48..d4f66510b9e1 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/util-dynamodb + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 38814a0c7538..eb7126bcc5a8 100644 --- a/packages/util-dynamodb/package.json +++ b/packages/util-dynamodb/package.json @@ -1,6 +1,6 @@ { "name": "@aws-sdk/util-dynamodb", - "version": "3.798.0", + "version": "3.799.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-user-agent-node/CHANGELOG.md b/packages/util-user-agent-node/CHANGELOG.md index 0b273cd5abc6..fa4422ee8f52 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/util-user-agent-node + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/util-user-agent-node diff --git a/packages/util-user-agent-node/package.json b/packages/util-user-agent-node/package.json index 99a169b3dd53..0518f74ad6da 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.798.0", + "version": "3.799.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/private/aws-client-api-test/CHANGELOG.md b/private/aws-client-api-test/CHANGELOG.md index 4031f22ba780..9c187852f5b1 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-client-api-test + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 bd5a9ed06639..15c87e053efd 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.798.0", + "version": "3.799.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 20e3dda6e14a..993a43cdb09c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-client-retry-test + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c3e734347044..c9c272203411 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.798.0", + "version": "3.799.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 62af3dcc2c17..cfa7f25d3853 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-echo-service + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 fe8a624c59f9..6457328a9e6d 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.798.0", + "version": "3.799.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 9376e389dffd..554ad3f7c1d6 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-middleware-test + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e15b1f5c5da3..d76d119ea1e4 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.798.0", + "version": "3.799.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 13196e615a8b..605b3cf1d452 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-ec2 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 22e8544dc552..5edcb559a1a0 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.798.0", + "version": "3.799.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 2d2915ab379a..4b4af4159a3c 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-json-10 + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 b9220e3dfb90..b13e1a9001c1 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.798.0", + "version": "3.799.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 a6f5fe8c1478..dddb22954027 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-json-machinelearning + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 18bcc9010e74..97d66c2181b5 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.798.0", + "version": "3.799.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 3ca56bf83bf2..cfc0d73da7bf 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-json + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 30514bb3a010..41b989df486a 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.798.0", + "version": "3.799.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 08c99cc92b29..c7d964554f0e 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-query + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 54f76804bcb5..e18c938b8f98 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.798.0", + "version": "3.799.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 4bc6984a420d..0f6bd7921233 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-restjson-apigateway + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c9efe7709479..01249037605f 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.798.0", + "version": "3.799.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 462319c20a24..02a713988298 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-restjson-glacier + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 2089e73e6f41..83ba4a6eb717 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.798.0", + "version": "3.799.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 4e7c0e0779e7..afeff8ce2f0a 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-restjson + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 081c17f7a734..49bce490f2ad 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.798.0", + "version": "3.799.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 85868e97b8c7..b0fb919bfb1f 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-restxml + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 c654c92eda56..4b9bfcb63462 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.798.0", + "version": "3.799.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 d4369becbd18..cb2df9793495 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-protocoltests-smithy-rpcv2-cbor + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/aws-protocoltests-smithy-rpcv2-cbor diff --git a/private/aws-protocoltests-smithy-rpcv2-cbor/package.json b/private/aws-protocoltests-smithy-rpcv2-cbor/package.json index 7f7be1f1b05e..16659e41e4d6 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.798.0", + "version": "3.799.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 a138ce549613..d9851eca4548 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-restjson-server + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 1e28f6a43aa1..e4944360e11c 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.798.0", + "version": "3.799.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 3a6f2697fe31..5a20d6f8e673 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-restjson-validation-server + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 e70d707247de..2f72b9241cf0 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.798.0", + "version": "3.799.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 d92ace2ebffd..22279a5b4271 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/aws-util-test + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 f38258265edb..9d00770bf80a 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.798.0", + "version": "3.799.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 069391028bbe..926e95151796 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/weather-legacy-auth + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **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 18714b7cdd71..41f71dd35473 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.798.0", + "version": "3.799.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 e08aa6abd8d5..a43f02f97e7a 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.799.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.798.0...v3.799.0) (2025-04-29) + +**Note:** Version bump only for package @aws-sdk/weather + + + + + # [3.798.0](https://github.com/aws/aws-sdk-js-v3/compare/v3.797.0...v3.798.0) (2025-04-28) **Note:** Version bump only for package @aws-sdk/weather diff --git a/private/weather/package.json b/private/weather/package.json index d77196d40999..9f2c0e01428d 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.798.0", + "version": "3.799.0", "scripts": { "build": "concurrently 'yarn:build:cjs' 'yarn:build:es' 'yarn:build:types'", "build:cjs": "tsc -p tsconfig.cjs.json",